From f35bee720e6aa5fd8902822a8e09ad0f03dca061 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?=EC=9E=84=ED=98=95=EC=A4=80?= Date: Mon, 2 Sep 2024 21:09:08 +0900 Subject: [PATCH 1/7] Initial commit --- README.md | 2 ++ 1 file changed, 2 insertions(+) create mode 100644 README.md diff --git a/README.md b/README.md new file mode 100644 index 00000000..756fdb93 --- /dev/null +++ b/README.md @@ -0,0 +1,2 @@ +# spring-tutorial-20th +CEOS 20th BE Study - Spring Tutorial From 84b2ea6f61741320244d2eb74bb78d8e9d2f1312 Mon Sep 17 00:00:00 2001 From: nhi33 Date: Sat, 7 Sep 2024 12:41:12 +0900 Subject: [PATCH 2/7] =?UTF-8?q?feat:=20HelloController=20=EC=8B=A4?= =?UTF-8?q?=EC=8A=B5?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- .../com/ceos20/spring_boot/Application.java | 34 +++++++++++++++++++ .../ceos20/spring_boot/HelloController.java | 14 ++++++++ .../spring_boot/HelloControllerTest.java | 31 +++++++++++++++++ 3 files changed, 79 insertions(+) create mode 100644 src/main/java/com/ceos20/spring_boot/Application.java create mode 100644 src/main/java/com/ceos20/spring_boot/HelloController.java create mode 100644 src/test/java/com/ceos20/spring_boot/HelloControllerTest.java diff --git a/src/main/java/com/ceos20/spring_boot/Application.java b/src/main/java/com/ceos20/spring_boot/Application.java new file mode 100644 index 00000000..b1cf2f5d --- /dev/null +++ b/src/main/java/com/ceos20/spring_boot/Application.java @@ -0,0 +1,34 @@ +package com.ceos20.spring_boot; + +import org.springframework.boot.CommandLineRunner; +import org.springframework.boot.SpringApplication; +import org.springframework.boot.autoconfigure.SpringBootApplication; +import org.springframework.context.ApplicationContext; +import org.springframework.context.annotation.Bean; + +import java.util.Arrays; + +@SpringBootApplication +public class Application { + + public static void main(String[] args) { + SpringApplication.run(Application.class, args); + } + + @Bean + public CommandLineRunner commandLineRunner(ApplicationContext ctx) { + return args -> { + + System.out.println("Let's inspect the beans provided by Spring Boot:"); + + // Spring Boot 에서 제공되는 Bean 확인 + String[] beanNames = ctx.getBeanDefinitionNames(); + Arrays.sort(beanNames); + for (String beanName : beanNames) { + System.out.println(beanName); + } + + }; + } + +} \ No newline at end of file diff --git a/src/main/java/com/ceos20/spring_boot/HelloController.java b/src/main/java/com/ceos20/spring_boot/HelloController.java new file mode 100644 index 00000000..111dd96e --- /dev/null +++ b/src/main/java/com/ceos20/spring_boot/HelloController.java @@ -0,0 +1,14 @@ +package com.ceos20.spring_boot; + +import org.springframework.web.bind.annotation.GetMapping; +import org.springframework.web.bind.annotation.RestController; + +@RestController +public class HelloController { + + @GetMapping("/") + public String index() { + return "Greetings from Spring Boot!"; + } + +} \ No newline at end of file diff --git a/src/test/java/com/ceos20/spring_boot/HelloControllerTest.java b/src/test/java/com/ceos20/spring_boot/HelloControllerTest.java new file mode 100644 index 00000000..1258c205 --- /dev/null +++ b/src/test/java/com/ceos20/spring_boot/HelloControllerTest.java @@ -0,0 +1,31 @@ +package com.ceos20.spring_boot; + +import static org.hamcrest.Matchers.equalTo; +import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.content; +import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.status; + +import org.junit.jupiter.api.DisplayName; +import org.junit.jupiter.api.Test; + +import org.springframework.beans.factory.annotation.Autowired; +import org.springframework.boot.test.autoconfigure.web.servlet.AutoConfigureMockMvc; +import org.springframework.boot.test.context.SpringBootTest; +import org.springframework.http.MediaType; +import org.springframework.test.web.servlet.MockMvc; +import org.springframework.test.web.servlet.request.MockMvcRequestBuilders; + +@SpringBootTest +@AutoConfigureMockMvc +public class HelloControllerTest { + + @Autowired + private MockMvc mvc; + + @DisplayName("DisplayName : 테스트 이름을 설정할 수 있습니다") + @Test + public void getHello() throws Exception { + mvc.perform(MockMvcRequestBuilders.get("/").accept(MediaType.APPLICATION_JSON)) + .andExpect(status().isOk()) + .andExpect(content().string(equalTo("Greetings from Spring Boot!"))); + } +} \ No newline at end of file From bc598990da4f103f01e6d02b6f075c6102614677 Mon Sep 17 00:00:00 2001 From: nhi33 Date: Sat, 7 Sep 2024 12:41:29 +0900 Subject: [PATCH 3/7] =?UTF-8?q?feat:=20TEST=20=EC=8B=A4=EC=8A=B5?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- .../java/com/ceos20/spring_boot/Test.java | 14 +++++++++++++ .../ceos20/spring_boot/TestRepository.java | 5 +++++ .../com/ceos20/spring_boot/TestService.java | 20 +++++++++++++++++++ src/main/resources/application.yml | 17 ++++++++++++++++ 4 files changed, 56 insertions(+) create mode 100644 src/main/java/com/ceos20/spring_boot/Test.java create mode 100644 src/main/java/com/ceos20/spring_boot/TestRepository.java create mode 100644 src/main/java/com/ceos20/spring_boot/TestService.java create mode 100644 src/main/resources/application.yml diff --git a/src/main/java/com/ceos20/spring_boot/Test.java b/src/main/java/com/ceos20/spring_boot/Test.java new file mode 100644 index 00000000..9938f471 --- /dev/null +++ b/src/main/java/com/ceos20/spring_boot/Test.java @@ -0,0 +1,14 @@ +package com.ceos20.spring_boot; + +import jakarta.persistence.Entity; +import jakarta.persistence.Id; +import lombok.Data; + +@Data +@Entity +public class Test { + + @Id + private Long id; + private String name; +} \ No newline at end of file diff --git a/src/main/java/com/ceos20/spring_boot/TestRepository.java b/src/main/java/com/ceos20/spring_boot/TestRepository.java new file mode 100644 index 00000000..7e3f26ec --- /dev/null +++ b/src/main/java/com/ceos20/spring_boot/TestRepository.java @@ -0,0 +1,5 @@ +package com.ceos20.spring_boot; + +import org.springframework.data.jpa.repository.JpaRepository; + +public interface TestRepository extends JpaRepository {} \ No newline at end of file diff --git a/src/main/java/com/ceos20/spring_boot/TestService.java b/src/main/java/com/ceos20/spring_boot/TestService.java new file mode 100644 index 00000000..efe8e5e6 --- /dev/null +++ b/src/main/java/com/ceos20/spring_boot/TestService.java @@ -0,0 +1,20 @@ +package com.ceos20.spring_boot; + +import lombok.RequiredArgsConstructor; +import org.springframework.stereotype.Service; +import org.springframework.transaction.annotation.Transactional; + +import java.util.List; + +@Service +@RequiredArgsConstructor +public class TestService { + + private final TestRepository testRepository; + + /* Read All*/ + @Transactional(readOnly = true) + public List findAllTests() { + return testRepository.findAll(); + } +} \ No newline at end of file diff --git a/src/main/resources/application.yml b/src/main/resources/application.yml new file mode 100644 index 00000000..f76d53de --- /dev/null +++ b/src/main/resources/application.yml @@ -0,0 +1,17 @@ +spring: + datasource: + url: jdbc:h2:tcp://localhost/~/ceos20 + username: sa + password: + driver-class-name: org.h2.Driver + + jpa: + hibernate: + ddl-auto: create + properties: + hibernate: + format_sql: true + +logging: + level: + org.hibernate.SQL: debug \ No newline at end of file From 56cb7b5d035821be983388e2eb9992b84ab48535 Mon Sep 17 00:00:00 2001 From: nhi33 Date: Sat, 7 Sep 2024 12:42:14 +0900 Subject: [PATCH 4/7] Update README.md --- README.md | 569 +++++++++++++++++++++++++++++++++++++++++++++++++++++- 1 file changed, 567 insertions(+), 2 deletions(-) diff --git a/README.md b/README.md index 756fdb93..24a61ada 100644 --- a/README.md +++ b/README.md @@ -1,2 +1,567 @@ -# spring-tutorial-20th -CEOS 20th BE Study - Spring Tutorial +# + +### 1️⃣ spring-boot-tutorial-20th를 완료해요! + +./gradlew bootRun (터미널)로 실행시 80%가 뜨는데 정상적으로 어플리케이션이 작동된 것이 맞음. + +build.gradle 수정 후 재빌드해야함 + +**yaml 파일 경로** + +![image.png](https://prod-files-secure.s3.us-west-2.amazonaws.com/a5836003-a8d1-4201-bdfd-b04ef32ee5fb/96d3fc86-6790-4c0c-8d7b-0a3f5400b7af/image.png) + +아무 생각없이 문서에 적혀있던대로 src/resources밑에 yaml파일 넣어줌 → h2에서 TEST 데이터베이스가 자동생성이 안됨 + +![image.png](https://prod-files-secure.s3.us-west-2.amazonaws.com/a5836003-a8d1-4201-bdfd-b04ef32ee5fb/2342194f-c374-44d5-b2ec-45189c12d9f9/image.png) + +application.properties가 있는 경로 main/java/resources로 바꿔줌 → 성공 + +생성안돼서 스프링부트 버전도 낮춰보고 이것저것 해봤는데 왜 이 생각을 처음부터 못했지 싶다^_^ + +생성된 테이블에 INSERT문으로 값 넣어준 뒤 조회 + +![image.png](https://prod-files-secure.s3.us-west-2.amazonaws.com/a5836003-a8d1-4201-bdfd-b04ef32ee5fb/2ae1d6e9-d9ca-4956-a20d-db10eae4833f/image.png) + +### 2️⃣ spring이 지원하는 기술들(IoC/DI, AOP, PSA 등)을 자유롭게 조사해요 + +### IoC (Inversion of Control / 제어의 역전) + +**IoC**는 **제어의 흐름을 개발자가 아닌 프레임워크나 컨테이너에 넘기는 프로그래밍 원칙** + +프레임워크 ⇒ 객체의 생성이나 라이프사이클 관리 + +개발자 ⇒ 애플리케이션의 로직에 집중 + +### DI (Dependency Injection / 의존성 주입) + +**DI**는 **객체 간의 의존성을 외부에서 주입하는 패턴** + +즉, 객체가 자신의 의존성을 직접 생성하지 않고, 외부에서 제공받는다. + +### IoC와 DI의 관계 + +- **IoC**는 제어의 흐름을 프레임워크에 넘기는 큰 개념이고, **DI**는 IoC의 한 가지 구체적인 구현 방식입니다. DI를 통해 의존성 관리가 IoC 컨테이너에 의해 이루어짐. + +### 스프링이 DI를 처리하는 과정 + +1. **IoC 컨테이너**: 스프링이 애플리케이션 시작 시 빈(객체)을 IoC 컨테이너에 등록. +2. **의존성 관리**: 스프링은 각 빈이 필요한 의존성을 분석하고, 해당 의존성을 IoC 컨테이너에서 찾아 주입합니다. +3. **자동 주입**: 개발자가 `@Autowired`, `@Service`, `@Component` 등의 어노테이션을 붙이면, 스프링이 이를 보고 의존성을 자동으로 주입합니다. + +### 개발자가 할 일과 스프링이 하는 일 비교 + +- **개발자가 할 일**: + - 어노테이션(`@Autowired`, `@Component`, `@Service` 등)을 붙여 스프링에게 의존성을 주입해달라고 요청하는 것. + - 필요한 인터페이스나 클래스 정의. +- **스프링이 하는 일**: + - 객체(빈) 생성 및 관리. + - 각 객체의 의존성을 분석하여 필요한 객체를 주입. + - 애플리케이션 실행 중에 필요한 의존성을 동적으로 제공. + +### 개발자가 직접 객체를 생성하지 않으면 생기는 장점 + +1. **유연성**: 객체의 구체적인 구현이 변경되더라도, 주입받는 코드에는 영향을 주지 않는다. +2. **테스트 용이성**: 테스트 시 모의 객체(mock)를 쉽게 주입할 수 있다. +3. **유지보수성**: 의존성이 명확하게 드러나고, 객체 간 결합도가 낮아져 코드 변경 시에도 유지보수가 쉬워진다. + +### **AOP의 개념** + +- **핵심 비즈니스 로직**과는 관계없는 **부가 기능(횡단 관심사, Cross-Cutting Concern)**을 분리하여 모듈화하는 프로그래밍 기법 +- 주로 **로깅, 보안, 트랜잭션 관리**와 같은 기능들이 **여러 클래스나 메서드에 공통적으로 적용**될 때 사용 +- AOP를 통해 코드의 중복을 줄이고, 유지보수성을 향상 + +- **Aspect**: 부가 기능을 모듈화한 것. 보통 로깅, 보안, 트랜잭션 등이 Aspect로 구현됩니다. +- **Advice**: **부가 기능이 실제로 적용되는 시점**을 정의한 것. 메서드가 호출되기 전, 후, 또는 예외가 발생했을 때 실행될 수 있습니다. + - **Before**: 메서드 실행 전에 실행되는 Advice. + - **After**: 메서드 실행 후에 실행되는 Advice. + - **After Returning**: 메서드가 정상적으로 실행된 후 실행되는 Advice. + - **After Throwing**: 메서드 실행 중 예외가 발생했을 때 실행되는 Advice. + - **Around**: 메서드 실행 전후에 실행되며, 메서드 실행을 제어할 수 있는 Advice. +- **Join Point**: Advice가 적용될 수 있는 **메서드 실행 지점**을 의미합니다. 스프링에서는 보통 메서드 호출 지점이 Join Point입니다. +- **Pointcut**: **Advice가 적용될 Join Point를 선택**하는 것. 특정 메서드나 클래스에만 Advice를 적용하고 싶을 때 사용합니다. +- **Target**: Advice가 적용되는 실제 **비즈니스 로직을 담고 있는 객체**입니다. +- **Weaving**: Aspect를 **Target 객체에 적용하는 과정**을 의미합니다. 스프링은 런타임 시점에 Weaving을 수행합니다. + +### 3. **AOP 사용 예시** + +### AOP를 적용하기 위한 핵심 요소 + +- **Aspect 정의**: 부가 기능(예: 로깅)을 Aspect로 정의합니다. +- **Pointcut 설정**: 어느 메서드에 해당 Aspect를 적용할지 정의합니다. + +### AOP 구현 예시: 로깅 + +1. **Aspect 클래스** 정의: + + ```java + import org.aspectj.lang.annotation.Aspect; + import org.aspectj.lang.annotation.Before; + import org.slf4j.Logger; + import org.slf4j.LoggerFactory; + import org.springframework.stereotype.Component; + + @Aspect + @Component + public class LoggingAspect { + private final Logger logger = LoggerFactory.getLogger(this.getClass()); + + // 특정 패키지 내의 모든 메서드 실행 전 로깅 + @Before("execution(* com.example.service.*.*(..))") + public void logBefore() { + logger.info("Method is about to be called"); + } + } + + ``` + +2. **Pointcut 정의**: + - `"execution(* com.example.service.*.*(..))"`: `com.example.service` 패키지 내의 **모든 클래스의 모든 메서드**에 적용. +3. **빈으로 등록**: + - `@Aspect`로 정의한 클래스는 부가 기능을 수행하는 **Aspect**로 등록되고, `@Component` 어노테이션을 통해 스프링이 관리하는 빈으로 등록됩니다. +4. **Advice 적용**: + - `@Before`: 메서드가 호출되기 전에 실행되도록 설정한 **Advice**로, `com.example.service` 패키지에 있는 모든 메서드 실행 전에 로깅 작업이 수행됩니다. + + ### **스프링 PSA의 예 (Portable Service Abstraction)** + + 스프링은 PSA를 통해 다양한 서비스 기술에 대한 추상화 계층을 제공합니다. + + ### 1) **데이터 접근 추상화 (JDBC, JPA)** + + 스프링은 **JDBC** 및 **JPA**와 같은 다양한 데이터 접근 기술을 추상화합니다. 이를 통해, 개발자는 구체적인 데이터 접근 방식에 관계없이 일관된 방식으로 데이터베이스를 다룰 수 있습니다. + + - JDBC: `JdbcTemplate`을 사용하여 데이터베이스와 상호작용할 수 있습니다. + - JPA: `EntityManager`나 `JpaRepository`를 통해 객체지향적으로 데이터베이스 작업을 수행할 수 있습니다. + + ```java + // JdbcTemplate을 사용한 데이터 접근 + public class UserRepository { + private final JdbcTemplate jdbcTemplate; + + public UserRepository(JdbcTemplate jdbcTemplate) { + this.jdbcTemplate = jdbcTemplate; + } + + public List findAll() { + return jdbcTemplate.query("SELECT * FROM users", new UserRowMapper()); + } + } + + ``` + + +### 3️⃣ Spring Bean 이 무엇이고, Bean 의 라이프사이클은 어떻게 되는지 조사해요 + +### 1. **스프링 빈(Spring Bean)이란?** + +- *스프링 빈(Bean)**은 **스프링 IoC(Inversion of Control) 컨테이너에 의해 관리되는 객체**를 의미합니다. 즉, 애플리케이션에서 사용할 객체를 스프링이 생성, 초기화, 관리, 소멸까지 책임지는 객체를 빈이라고 부릅니다. 스프링 빈은 스프링 애플리케이션의 구성 요소이며, 스프링이 애플리케이션의 흐름을 제어하는 중요한 개념입니다. + +스프링 빈은 개발자가 명시적으로 빈을 등록하거나, 스프링이 자동으로 빈을 탐색하고 등록할 수 있습니다. 이를 통해 객체 간 의존성을 관리하고, 결합도를 낮출 수 있습니다. + +### 스프링 빈을 정의하는 방법 + +1. **어노테이션 기반 등록**: + - 클래스에 `@Component`, `@Service`, `@Repository`, `@Controller` 등의 어노테이션을 사용하면 스프링이 자동으로 해당 클래스를 빈으로 등록합니다. + + ```java + @Service + public class MyService { + // Business logic here + } + + ``` + +2. **XML 또는 Java 설정 파일을 통한 등록**: + - XML + + ```xml + + + ``` + + 또는 Java 설정 파일에서 직접 빈을 정의할 수도 있습니다.니 + + ```java + @Configuration + public class AppConfig { + @Bean + public MyService myService() { + return new MyService(); + } + } + + ``` + + +### 개발자의 역할 + +개발자는 의존성 주입을 설정하기 위해 필요한 코드를 작성합니다. 예를 들어, 클래스에 `@Autowired` 어노테이션을 추가하거나, XML 설정 파일에서 의존성을 정의합니다. 이를 통해 스프링 컨테이너가 어떤 의존성을 주입해야 하는지 명시합니다. + +### 스프링의 역할 + +스프링 프레임워크는 의존성 주입을 자동으로 관리합니다. 개발자가 설정한 의존성 주입 정보를 바탕으로, 스프링 컨테이너는 다음과 같은 역할을 수행합니다: + +1. **빈 생성**: 스프링 컨테이너는 애플리케이션이 시작될 때 빈을 생성합니다. +2. **의존성 주입**: 생성된 빈에 필요한 의존성을 자동으로 주입합니다. 개발자가 직접 객체를 생성하고 연결할 필요 없이, 스프링 컨테이너가 이를 처리합니다. +3. **라이프사이클 관리**: 스프링 컨테이너는 빈의 라이프사이클을 관리합니다. 빈의 초기화와 소멸 메서드를 호출하여 리소스를 정리합니다. + +### 예시 + +```java +@Component +public class MyService { + // MyService 클래스 정의 +} + +@Component +public class MyController { + private final MyService myService; + + @Autowired + public MyController(MyService myService) { + this.myService = myService; + } +} + +``` + +위의 예시에서 개발자는 `@Component`와 `@Autowired` 어노테이션을 사용하여 의존성 주입을 설정합니다. 스프링 컨테이너는 애플리케이션이 시작될 때 `MyService` 빈을 생성하고, `MyController` 빈에 주입합니다. + +### 2. **스프링 빈의 라이프사이클** + +스프링 빈의 라이프사이클은 **객체가 생성되고 관리되며 소멸되는 과정**을 의미합니다. 스프링은 빈의 생애주기를 IoC 컨테이너에서 관리하며, 이를 통해 개발자는 객체 생성 및 소멸에 대해 신경 쓸 필요가 없습니다. + +### **스프링 빈 라이프사이클의 주요 단계** + +1. **빈 생성(Instantiation)**: + - 스프링 컨테이너는 빈을 생성합니다. 빈 정의에 따라 스프링은 빈의 클래스 정보를 보고 해당 클래스로 객체를 생성합니다. + + ```java + public class MyBean { + public MyBean() { + System.out.println("빈 생성됨!"); + } + } + + ``` + +2. **의존성 주입(Dependency Injection)**: + - 빈이 생성된 후, 스프링은 해당 빈이 필요로 하는 의존성을 주입합니다. 이를 통해 다른 빈들이 이 빈에 주입될 수 있습니다. 주입 방식은 **생성자 주입**, **세터 주입**, 또는 **필드 주입** 등이 있습니다. + + ```java + @Autowired + private MyDependency dependency; + + ``` + +3. **빈 초기화(Initialization)**: + - 빈이 생성되고 의존성이 모두 주입된 후, 초기화 작업이 수행됩니다. 빈이 준비되는 과정에서 개발자가 특정 작업을 실행할 수 있습니다. 이를 위해 **`@PostConstruct`** 어노테이션이나 `InitializingBean` 인터페이스의 `afterPropertiesSet()` 메서드를 사용할 수 있습니다. + + ```java + @PostConstruct + public void init() { + System.out.println("빈 초기화 중..."); + } + + ``` + +4. **빈 사용(Usage)**: + - 빈이 초기화되면 스프링 애플리케이션에서 이 빈을 사용할 수 있습니다. 빈이 IoC 컨테이너에서 제공하는 방식에 따라 필요한 곳에서 주입되어 비즈니스 로직을 처리하게 됩니다. +5. **빈 소멸(Destruction)**: + - 애플리케이션이 종료되거나 빈이 더 이상 필요 없을 때, 스프링은 빈을 소멸시킵니다. 이 과정에서 빈 소멸 전에 필요한 작업을 수행할 수 있습니다. 이를 위해 **`@PreDestroy`** 어노테이션이나 `DisposableBean` 인터페이스의 `destroy()` 메서드를 사용할 수 있습니다. + + ```java + @PreDestroy + public void cleanup() { + System.out.println("빈 소멸 중..."); + } + + ``` + + +### **스프링 빈 라이프사이클 메서드 요약** + +- **`@PostConstruct`**: 빈이 초기화된 후 실행되는 메서드입니다. 빈이 의존성 주입을 받은 후 추가적인 초기화 작업을 처리할 수 있습니다. +- **`@PreDestroy`**: 빈이 소멸되기 직전에 실행되는 메서드입니다. 애플리케이션이 종료되기 전이나 빈이 소멸되기 전에 리소스를 정리하는 데 사용됩니다. +- **`InitializingBean.afterPropertiesSet()`**: 빈의 모든 의존성이 주입된 후 호출되는 초기화 메서드입니다. +- **`DisposableBean.destroy()`**: 빈이 소멸되기 전에 호출되는 메서드입니다. + +### 3. **스프링 빈 스코프** + +스프링 빈의 라이프사이클은 **빈 스코프**에 따라 달라질 수 있습니다. 빈 스코프는 빈이 언제 생성되고 소멸될지를 정의합니다. + +1. **싱글톤(Singleton)** (기본값): + - 스프링 애플리케이션 내에서 **빈이 단 하나만** 생성되고, 애플리케이션의 종료 시점에 소멸됩니다. +2. **프로토타입(Prototype)**: + - 요청할 때마다 빈의 새로운 인스턴스가 생성됩니다. 빈이 소멸되더라도 스프링은 이를 관리하지 않으며, 개발자가 직접 소멸 처리를 해야 합니다. +3. **웹 관련 스코프**: **설정 방법-** `@Scope("prototype")` 어노테이션을 사용하여 설정. + - **`request`**: HTTP 요청마다 새로운 빈 인스턴스를 생성. + - **`session`**: HTTP 세션마다 빈의 인스턴스가 생성되고, 세션이 종료될 때 빈이 소멸됨. + - **`application`**: 웹 애플리케이션 내에서 하나의 빈만 존재. + - **`websocket`**: 웹소켓 세션마다 빈 인스턴스가 생성됨. + +### 4. **스프링 빈 라이프사이클의 예시** + +```java +@Component +public class MyBean { + + public MyBean() { + System.out.println("빈 생성"); + } + + @PostConstruct + public void init() { + System.out.println("빈 초기화"); + } + + @PreDestroy + public void destroy() { + System.out.println("빈 소멸"); + } +} + +``` + +### 5. **스프링 빈 라이프사이클 콜백 인터페이스** + +스프링은 **인터페이스**를 통해도 빈의 라이프사이클을 제어할 수 있습니다. + +- **`InitializingBean`**: 빈이 초기화된 후 처리할 로직을 작성합니다. `afterPropertiesSet()` 메서드를 구현하여 사용합니다. +- **`DisposableBean`**: 빈이 소멸되기 전에 처리할 로직을 작성합니다. `destroy()` 메서드를 구현하여 사용합니다. + +```java +public class MyBean implements InitializingBean, DisposableBean { + + @Override + public void afterPropertiesSet() throws Exception { + System.out.println("InitializingBean: 빈 초기화"); + } + + @Override + public void destroy() throws Exception { + System.out.println("DisposableBean: 빈 소멸"); + } +} + +``` + +### 결론 + +- **스프링 빈**은 스프링 컨테이너에서 관리되는 객체로, 애플리케이션의 핵심 구성 요소 +- 스프링 빈의 **라이프사이클**은 빈이 생성되고 의존성을 주입받아 초기화된 후 사용되다가, 애플리케이션 종료 시 소멸되는 일련의 과정 +- 빈의 라이프사이클은 개발자가 직접 관리하지 않아도 스프링이 자동으로 처리하지만, 특정 지점에서 초기화 및 소멸 작업을 정의할 수 있음 +- **스코프**에 따라 빈의 라이프사이클은 달라질 수 있음 + +### 4️⃣ 스프링 어노테이션을 심층 분석해요 + +### 어노테이션이란 무엇이며, Java에서 어떻게 구현될까요? + +`@Component`, `@Service`, `@Repository`, `@Controller`는 스프링에서 사용하는 **특정한 역할을 가지는 어노테이션**들로, 각각의 클래스가 **스프링 빈(Bean)**으로 등록되고, 애플리케이션에서 해당 클래스의 역할을 명확히 구분해줍니다. 모두 스프링이 제공하는 **스테레오타입 어노테이션**이라고도 불리며, 스프링이 클래스들을 스캔하여 빈으로 등록할 때 사용됩니다 + +### 1. **@Component** + +`@Component`는 **가장 기본적인 스테레오타입 어노테이션**입니다. 스프링의 빈으로 관리되어야 하는 **모든 일반적인 클래스**에 사용할 수 있습니다. 기능에 특별한 구분 없이, 단순히 **빈으로 등록되어야 할 객체**라면 이 어노테이션을 사용합니다. + +```java +@Component +public class MyComponent { + public void doSomething() { + System.out.println("Component is working!"); + } +} + +``` + +- **역할**: 특정 역할이 없는 범용적인 빈을 등록할 때 사용. +- **사용처**: 비즈니스 로직, 데이터 처리 로직, 도메인 객체 등 모든 종류의 클래스를 빈으로 등록할 때 사용할 수 있음. + +### 2. **@Service** + +`@Service`는 **비즈니스 로직을 담당하는 클래스**에 사용됩니다. 이 어노테이션을 사용하면 스프링이 해당 클래스를 **서비스 계층**의 빈으로 등록하고 관리합니다. 기능적으로는 `@Component`와 동일하게 동작하지만, 코드의 **명확한 역할 구분**을 위해 **비즈니스 로직**을 처리하는 클래스에 주로 사용합니다. + +```java + +@Service +public class MyService { + public String getBusinessLogic() { + return "Business logic result"; + } +} + +``` + +- **역할**: 서비스 계층에서 **비즈니스 로직**을 수행하는 빈을 등록할 때 사용. +- **사용처**: 사용자 요청을 처리하고 비즈니스 규칙을 적용하는 **서비스 계층**의 클래스. + +### 3. **@Repository** + +`@Repository`는 **데이터 접근 계층**에서 사용되는 어노테이션입니다. 이 어노테이션을 사용하면 스프링이 해당 클래스를 **DAO(Data Access Object)**로 인식하고, 데이터베이스와의 상호작용을 담당하는 빈으로 등록합니다. 스프링은 이 어노테이션을 통해 **데이터 예외를 스프링의 데이터 접근 예외로 변환**하는 역할도 수행합니다. + +```java +@Repository +public class MyRepository { + public List findAll() { + return List.of("Data1", "Data2"); + } +} +``` + +- **역할**: 데이터베이스나 외부 데이터를 처리하는 **DAO 클래스**를 빈으로 등록. +- **사용처**: **데이터베이스 접근 로직**을 처리하는 계층, 예를 들어 JPA를 사용하는 엔티티 저장소. + +### 4. **@Controller** + +`@Controller`는 **웹 계층**에서 사용되는 어노테이션입니다. 스프링 MVC에서 **사용자의 요청을 받아 처리하고, 응답을 반환하는 역할**을 하는 클래스에 사용됩니다. 주로 **HTTP 요청을 처리**하고, 결과를 웹 페이지나 API 응답으로 돌려줄 때 사용됩니다. + +```java +@Controller +public class MyController { + + @GetMapping("/hello") + public String hello() { + return "hello"; + } +} + +``` + +- **역할**: **웹 요청과 응답을 처리**하는 컨트롤러를 빈으로 등록. +- **사용처**: **웹 계층**, 즉 브라우저나 클라이언트로부터 **HTTP 요청을 처리**하는 클래스. + +- **@Component**: 범용 빈 등록 어노테이션, 특별한 구분이 없는 클래스에 사용. +- **@Service**: **비즈니스 로직**을 처리하는 클래스에 사용. +- **@Repository**: **데이터 접근 로직**을 처리하는 클래스에 사용, 예외 처리를 스프링의 예외로 변환. +- **@Controller**: **웹 요청과 응답**을 처리하는 클래스에 사용, 주로 스프링 MVC에서 사용. + +### 개발자가 해야 할 일: 어노테이션 설정 + +개발자는 **어노테이션**을 사용해 스프링에게 의존성을 어떻게 주입할지를 알려주기만 하면 된다. + +객체 생성, 라이프사이클 관리, 의존성 주입은 스프링이 자동으로 처리한다. + +### 예시: 의존성 주입 자동 설정 + +```java +@Service +public class UserService { + private final UserRepository userRepository; + + // 의존성 주입을 위한 생성자 + @Autowired // 스프링이 UserRepository를 주입함 + public UserService(UserRepository userRepository) { + this.userRepository = userRepository; + } +} + +``` + +위 코드를 보면, **`UserService`가 `UserRepository`에 의존**하고 있다. + +하지만 `UserService`는 `UserRepository` 객체를 **직접 생성하지 않고**, 스프링이 해당 객체를 주입하도록 맡김. + +- **`@Service`**: 스프링에게 이 클래스가 서비스 역할을 한다고 알려줌 +- **`@Autowired`**: 스프링이 `UserRepository` 객체를 `UserService`에 자동으로 주입하게 만듬. + +### 스프링에서 어노테이션을 통해 Bean을 등록할 때, 어떤 일련의 과정이 일어나는지 탐구해보세요. + +`@ComponentScan`은 스프링 프레임워크가 **어노테이션이 붙은 클래스들을 자동으로 탐색하고 등록**하도록 합니다. + +### 1) **@ComponentScan 어노테이션 설정** + +- 스프링에서 `@ComponentScan`을 사용해 **특정 패키지를 지정**하면, 해당 패키지와 하위 패키지에서 **빈으로 등록될 클래스들을 자동으로 스캔**합니다. + +```java +@Configuration +@ComponentScan(basePackages = "com.example") +public class AppConfig { +} +``` + +- `basePackages` 속성을 통해 탐색할 패키지를 지정하며, 이 패키지 내에 있는 `@Component`, `@Service`, `@Repository`, `@Controller` 어노테이션이 붙은 클래스들을 자동으로 스캔합니다. + +### 2) **클래스 스캐닝 (ClassPathScanningCandidateComponentProvider)** + +- `@ComponentScan`이 선언된 패키지를 기준으로, 스프링은 `ClassPathScanningCandidateComponentProvider`를 사용하여 클래스 패스에서 빈으로 등록될 **모든 후보 클래스**를 스캔합니다. +- 이때 `@Component`, `@Service`, `@Repository`, `@Controller` 어노테이션이 붙은 클래스들이 빈 등록 후보로 선정됩니다. + +### 3) **빈 후보 선택 및 등록 (BeanDefinition 생성)** + +- 스캔된 클래스들은 빈으로 등록되기 전에 **BeanDefinition** 객체로 변환됩니다. + - `BeanDefinition`은 해당 클래스의 메타데이터(클래스 정보, 의존성 정보 등)를 포함한 객체입니다. +- 스프링 컨테이너는 이 `BeanDefinition`을 기반으로 빈을 생성하고 관리합니다. + +### 4) **빈 생성과 의존성 주입** + +- 스프링이 BeanDefinition을 기반으로 빈을 생성하고, 필요한 의존성을 주입합니다. 주입 방식은 **생성자 주입**, **세터 주입**, **필드 주입** 중 하나가 사용될 수 있습니다. + +### 5) **빈 관리** + +- 생성된 빈은 스프링 컨테이너에서 관리됩니다. 빈의 생명 주기와 스코프(싱글톤, 프로토타입 등)에 따라 스프링 컨테이너가 빈을 관리하며, 애플리케이션에서 빈이 필요할 때마다 이를 제공합니다. + +### `@ComponentScan` 과 같은 어노테이션을 사용하여 스프링이 컴포넌트를 어떻게 탐색하고 찾는지의 과정을 깊게 파헤쳐보세요. + +`@ComponentScan`은 스프링 프레임워크가 **어노테이션이 붙은 클래스들을 자동으로 탐색하고 등록**하도록 합니다. 이 과정은 다음과 같이 이루어집니다: + +### 1) **@ComponentScan 어노테이션 설정** + +- 스프링에서 `@ComponentScan`을 사용해 **특정 패키지를 지정**하면, 해당 패키지와 하위 패키지에서 **빈으로 등록될 클래스들을 자동으로 스캔**합니다. + +```java +@Configuration +@ComponentScan(basePackages = "com.example") +public class AppConfig { +} +``` + +- `basePackages` 속성을 통해 탐색할 패키지를 지정하며, 이 패키지 내에 있는 `@Component`, `@Service`, `@Repository`, `@Controller` 어노테이션이 붙은 클래스들을 자동으로 스캔합니다. + +### 2) **클래스 스캐닝 (ClassPathScanningCandidateComponentProvider)** + +- `@ComponentScan`이 선언된 패키지를 기준으로, 스프링은 `ClassPathScanningCandidateComponentProvider`를 사용하여 클래스 패스에서 빈으로 등록될 **모든 후보 클래스**를 스캔합니다. +- 이때 `@Component`, `@Service`, `@Repository`, `@Controller` 어노테이션이 붙은 클래스들이 빈 등록 후보로 선정됩니다. + +### 3) **빈 후보 선택 및 등록 (BeanDefinition 생성)** + +- 스캔된 클래스들은 빈으로 등록되기 전에 **BeanDefinition** 객체로 변환됩니다. + - `BeanDefinition`은 해당 클래스의 메타데이터(클래스 정보, 의존성 정보 등)를 포함한 객체입니다. +- 스프링 컨테이너는 이 `BeanDefinition`을 기반으로 빈을 생성하고 관리합니다. + +### 4) **빈 생성과 의존성 주입** + +- 스프링이 BeanDefinition을 기반으로 빈을 생성하고, 필요한 의존성을 주입합니다. 주입 방식은 **생성자 주입**, **세터 주입**, **필드 주입** 중 하나가 사용될 수 있습니다. + +### 5) **빈 관리** + +- 생성된 빈은 스프링 컨테이너에서 관리됩니다. 빈의 생명 주기와 스코프(싱글톤, 프로토타입 등)에 따라 스프링 컨테이너가 빈을 관리하며, 애플리케이션에서 빈이 필요할 때마다 이를 제공합니다. + +### 5️⃣ **단위 테스트와 통합 테스트 탐구** + +### 단위 테스트(Unit Test) + +**단위 테스트**는 소프트웨어의 개별 구성 요소 또는 "단위"를 테스트하는 것을 말함. 이 단위는 일반적으로 함수, 메서드, 또는 클래스와 같은 작은 코드 조각이다.  + +주요목적: 코드의 특정부분이 의도한 대로 작동하는지 검증 + +### 단위 테스트의 특징 + +- **독립성**: 외부 종속성을 최소화하여 코드 단위 자체만을 테스트합니다. +- **빠른 실행**: 테스트는 일반적으로 빠르게 실행됩니다. +- **화이트박스 테스트**: 소프트웨어 내부 구조나 구현 방법을 고려하여 테스트합니다. + +### 통합 테스트(Integration Test) + +**통합 테스트**는 여러 단위가 결합되어 상호 작용할 때, 시스템이 올바르게 동작하는지 확인하는 테스트이다.  + +단위 테스트가 개별 구성 요소를 테스트하는 반면, 통합 테스트는 이들이 결합되었을 떄 발생할 수 있는 문제를 발견하는데 목적이 있음 + +### 통합 테스트의 특징 + +- **상호작용 테스트**: 여러 모듈 간의 상호작용을 테스트합니다. +- **복잡성**: 단위 테스트보다 더 복잡하고 시간이 더 걸릴 수 있습니다. +- **외부 시스템 포함**: 데이터베이스, 네트워크, 파일 시스템 등 외부 시스템과의 상호작용을 포함할 수 있습니다. + +### 단위 테스트와 통합 테스트의 차이점 + +- **범위**: 단위 테스트는 개별 코드 단위를 테스트하는 반면, 통합 테스트는 여러 단위가 결합된 시스템을 테스트합니다. +- **목적**: 단위 테스트는 코드의 특정 부분이 올바르게 작동하는지 확인하는 데 중점을 두고, 통합 테스트는 시스템 전체가 올바르게 동작하는지 확인합니다. +- **복잡성**: 단위 테스트는 상대적으로 간단하고 빠르게 실행되지만, 통합 테스트는 더 복잡하고 시간이 걸릴 수 있습니다. \ No newline at end of file From 53db3649e328445b8ab3c7b6bf9f3ea09f08d076 Mon Sep 17 00:00:00 2001 From: nhi33 Date: Sat, 7 Sep 2024 12:48:55 +0900 Subject: [PATCH 5/7] =?UTF-8?q?Domain,Repository=20=EC=9E=91=EC=84=B1?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- .gitignore | 83 ++++++ build.gradle | 41 +++ gradle/wrapper/gradle-wrapper.properties | 7 + gradlew | 249 ++++++++++++++++++ gradlew.bat | 92 +++++++ settings.gradle | 1 + .../com/ceos20/spring_boot/Application.java | 34 --- .../ceos20/spring_boot/HelloController.java | 14 - .../java/com/ceos20/spring_boot/Test.java | 14 - .../ceos20/spring_boot/TestRepository.java | 5 - .../com/ceos20/spring_boot/TestService.java | 20 -- .../SpringInstagramApplication.java | 12 + .../springinstagram/domain/Comment.java | 25 ++ .../springinstagram/domain/DirectMessage.java | 30 +++ .../ceos20/springinstagram/domain/Likes.java | 23 ++ .../ceos20/springinstagram/domain/Post.java | 22 ++ .../ceos20/springinstagram/domain/Reply.java | 24 ++ .../ceos20/springinstagram/domain/User.java | 21 ++ .../repository/CommentRepository.java | 10 + .../repository/DirectMessageRepository.java | 10 + .../repository/LikesRepository.java | 10 + .../repository/PostRepository.java | 9 + .../repository/ReplyRepository.java | 9 + .../repository/UserRepository.java | 10 + src/main/resources/application.yml | 11 +- .../spring_boot/HelloControllerTest.java | 31 --- .../SpringInstagramApplicationTests.java | 13 + 27 files changed, 707 insertions(+), 123 deletions(-) create mode 100644 .gitignore create mode 100644 build.gradle create mode 100644 gradle/wrapper/gradle-wrapper.properties create mode 100644 gradlew create mode 100644 gradlew.bat create mode 100644 settings.gradle delete mode 100644 src/main/java/com/ceos20/spring_boot/Application.java delete mode 100644 src/main/java/com/ceos20/spring_boot/HelloController.java delete mode 100644 src/main/java/com/ceos20/spring_boot/Test.java delete mode 100644 src/main/java/com/ceos20/spring_boot/TestRepository.java delete mode 100644 src/main/java/com/ceos20/spring_boot/TestService.java create mode 100644 src/main/java/com/ceos20/springinstagram/SpringInstagramApplication.java create mode 100644 src/main/java/com/ceos20/springinstagram/domain/Comment.java create mode 100644 src/main/java/com/ceos20/springinstagram/domain/DirectMessage.java create mode 100644 src/main/java/com/ceos20/springinstagram/domain/Likes.java create mode 100644 src/main/java/com/ceos20/springinstagram/domain/Post.java create mode 100644 src/main/java/com/ceos20/springinstagram/domain/Reply.java create mode 100644 src/main/java/com/ceos20/springinstagram/domain/User.java create mode 100644 src/main/java/com/ceos20/springinstagram/repository/CommentRepository.java create mode 100644 src/main/java/com/ceos20/springinstagram/repository/DirectMessageRepository.java create mode 100644 src/main/java/com/ceos20/springinstagram/repository/LikesRepository.java create mode 100644 src/main/java/com/ceos20/springinstagram/repository/PostRepository.java create mode 100644 src/main/java/com/ceos20/springinstagram/repository/ReplyRepository.java create mode 100644 src/main/java/com/ceos20/springinstagram/repository/UserRepository.java delete mode 100644 src/test/java/com/ceos20/spring_boot/HelloControllerTest.java create mode 100644 src/test/java/com/ceos20/springinstagram/SpringInstagramApplicationTests.java diff --git a/.gitignore b/.gitignore new file mode 100644 index 00000000..bdce78c8 --- /dev/null +++ b/.gitignore @@ -0,0 +1,83 @@ +HELP.md +.gradle +build/ +!gradle/wrapper/gradle-wrapper.jar +!**/src/main/**/build/ +!**/src/test/**/build/ +application.yml + +### STS ### +.apt_generated +.classpath +.factorypath +.project +.settings +.springBeans +.sts4-cache +bin/ +!**/src/main/**/bin/ +!**/src/test/**/bin/ + +### IntelliJ IDEA ### +.idea +*.iws +*.iml +*.ipr +out/ +!**/src/main/**/out/ +!**/src/test/**/out/ + +### NetBeans ### +/nbproject/private/ +/nbbuild/ +/dist/ +/nbdist/ +/.nb-gradle/ + +### VS Code ### +.vscode/ + +*# +*.iml +*.ipr +*.iws +*.jar +*.sw? +*~ +.#* +.*.md.html +.DS_Store +.attach_pid* +.classpath +.factorypath +.gradle +.metadata +.project +.recommenders +.settings +.springBeans +.vscode +/code +MANIFEST.MF +_site/ +activemq-data +bin +build +!/**/src/**/bin +!/**/src/**/build +build.log +dependency-reduced-pom.xml +dump.rdb +interpolated*.xml +lib/ +manifest.yml +out +overridedb.* +target +.flattened-pom.xml +secrets.yml +.gradletasknamecache +.sts4-cache + +.idea +.env diff --git a/build.gradle b/build.gradle new file mode 100644 index 00000000..db38b6ae --- /dev/null +++ b/build.gradle @@ -0,0 +1,41 @@ +/*plugins { + id 'java' + id 'org.springframework.boot' version '3.3.3' + id 'io.spring.dependency-management' version '1.1.6' +}*/ +plugins { + id 'org.springframework.boot' version '3.1.2' // 스프링 부트 버전 + id 'io.spring.dependency-management' version '1.1.0' + id 'java' +} +group = 'com.ceos20' +version = '0.0.1-SNAPSHOT' + +java { + toolchain { + languageVersion = JavaLanguageVersion.of(17) + } +} + +repositories { + mavenCentral() +} + +dependencies { + implementation 'org.springframework.boot:spring-boot-starter-web' + testImplementation 'org.springframework.boot:spring-boot-starter-test' + testImplementation 'org.assertj:assertj-core:3.20.2' + + testRuntimeOnly 'org.junit.platform:junit-platform-launcher' + implementation 'org.springframework.boot:spring-boot-starter-data-jpa' + + compileOnly 'org.projectlombok:lombok' + annotationProcessor 'org.projectlombok:lombok' + + runtimeOnly 'com.h2database:h2' + runtimeOnly 'com.mysql:mysql-connector-j' +} + +tasks.named('test') { + useJUnitPlatform() +} diff --git a/gradle/wrapper/gradle-wrapper.properties b/gradle/wrapper/gradle-wrapper.properties new file mode 100644 index 00000000..a4413138 --- /dev/null +++ b/gradle/wrapper/gradle-wrapper.properties @@ -0,0 +1,7 @@ +distributionBase=GRADLE_USER_HOME +distributionPath=wrapper/dists +distributionUrl=https\://services.gradle.org/distributions/gradle-8.8-bin.zip +networkTimeout=10000 +validateDistributionUrl=true +zipStoreBase=GRADLE_USER_HOME +zipStorePath=wrapper/dists diff --git a/gradlew b/gradlew new file mode 100644 index 00000000..b740cf13 --- /dev/null +++ b/gradlew @@ -0,0 +1,249 @@ +#!/bin/sh + +# +# Copyright © 2015-2021 the original authors. +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# https://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# + +############################################################################## +# +# Gradle start up script for POSIX generated by Gradle. +# +# Important for running: +# +# (1) You need a POSIX-compliant shell to run this script. If your /bin/sh is +# noncompliant, but you have some other compliant shell such as ksh or +# bash, then to run this script, type that shell name before the whole +# command line, like: +# +# ksh Gradle +# +# Busybox and similar reduced shells will NOT work, because this script +# requires all of these POSIX shell features: +# * functions; +# * expansions «$var», «${var}», «${var:-default}», «${var+SET}», +# «${var#prefix}», «${var%suffix}», and «$( cmd )»; +# * compound commands having a testable exit status, especially «case»; +# * various built-in commands including «command», «set», and «ulimit». +# +# Important for patching: +# +# (2) This script targets any POSIX shell, so it avoids extensions provided +# by Bash, Ksh, etc; in particular arrays are avoided. +# +# The "traditional" practice of packing multiple parameters into a +# space-separated string is a well documented source of bugs and security +# problems, so this is (mostly) avoided, by progressively accumulating +# options in "$@", and eventually passing that to Java. +# +# Where the inherited environment variables (DEFAULT_JVM_OPTS, JAVA_OPTS, +# and GRADLE_OPTS) rely on word-splitting, this is performed explicitly; +# see the in-line comments for details. +# +# There are tweaks for specific operating systems such as AIX, CygWin, +# Darwin, MinGW, and NonStop. +# +# (3) This script is generated from the Groovy template +# https://github.com/gradle/gradle/blob/HEAD/platforms/jvm/plugins-application/src/main/resources/org/gradle/api/internal/plugins/unixStartScript.txt +# within the Gradle project. +# +# You can find Gradle at https://github.com/gradle/gradle/. +# +############################################################################## + +# Attempt to set APP_HOME + +# Resolve links: $0 may be a link +app_path=$0 + +# Need this for daisy-chained symlinks. +while + APP_HOME=${app_path%"${app_path##*/}"} # leaves a trailing /; empty if no leading path + [ -h "$app_path" ] +do + ls=$( ls -ld "$app_path" ) + link=${ls#*' -> '} + case $link in #( + /*) app_path=$link ;; #( + *) app_path=$APP_HOME$link ;; + esac +done + +# This is normally unused +# shellcheck disable=SC2034 +APP_BASE_NAME=${0##*/} +# Discard cd standard output in case $CDPATH is set (https://github.com/gradle/gradle/issues/25036) +APP_HOME=$( cd "${APP_HOME:-./}" > /dev/null && pwd -P ) || exit + +# Use the maximum available, or set MAX_FD != -1 to use that value. +MAX_FD=maximum + +warn () { + echo "$*" +} >&2 + +die () { + echo + echo "$*" + echo + exit 1 +} >&2 + +# OS specific support (must be 'true' or 'false'). +cygwin=false +msys=false +darwin=false +nonstop=false +case "$( uname )" in #( + CYGWIN* ) cygwin=true ;; #( + Darwin* ) darwin=true ;; #( + MSYS* | MINGW* ) msys=true ;; #( + NONSTOP* ) nonstop=true ;; +esac + +CLASSPATH=$APP_HOME/gradle/wrapper/gradle-wrapper.jar + + +# Determine the Java command to use to start the JVM. +if [ -n "$JAVA_HOME" ] ; then + if [ -x "$JAVA_HOME/jre/sh/java" ] ; then + # IBM's JDK on AIX uses strange locations for the executables + JAVACMD=$JAVA_HOME/jre/sh/java + else + JAVACMD=$JAVA_HOME/bin/java + fi + if [ ! -x "$JAVACMD" ] ; then + die "ERROR: JAVA_HOME is set to an invalid directory: $JAVA_HOME + +Please set the JAVA_HOME variable in your environment to match the +location of your Java installation." + fi +else + JAVACMD=java + if ! command -v java >/dev/null 2>&1 + then + die "ERROR: JAVA_HOME is not set and no 'java' command could be found in your PATH. + +Please set the JAVA_HOME variable in your environment to match the +location of your Java installation." + fi +fi + +# Increase the maximum file descriptors if we can. +if ! "$cygwin" && ! "$darwin" && ! "$nonstop" ; then + case $MAX_FD in #( + max*) + # In POSIX sh, ulimit -H is undefined. That's why the result is checked to see if it worked. + # shellcheck disable=SC2039,SC3045 + MAX_FD=$( ulimit -H -n ) || + warn "Could not query maximum file descriptor limit" + esac + case $MAX_FD in #( + '' | soft) :;; #( + *) + # In POSIX sh, ulimit -n is undefined. That's why the result is checked to see if it worked. + # shellcheck disable=SC2039,SC3045 + ulimit -n "$MAX_FD" || + warn "Could not set maximum file descriptor limit to $MAX_FD" + esac +fi + +# Collect all arguments for the java command, stacking in reverse order: +# * args from the command line +# * the main class name +# * -classpath +# * -D...appname settings +# * --module-path (only if needed) +# * DEFAULT_JVM_OPTS, JAVA_OPTS, and GRADLE_OPTS environment variables. + +# For Cygwin or MSYS, switch paths to Windows format before running java +if "$cygwin" || "$msys" ; then + APP_HOME=$( cygpath --path --mixed "$APP_HOME" ) + CLASSPATH=$( cygpath --path --mixed "$CLASSPATH" ) + + JAVACMD=$( cygpath --unix "$JAVACMD" ) + + # Now convert the arguments - kludge to limit ourselves to /bin/sh + for arg do + if + case $arg in #( + -*) false ;; # don't mess with options #( + /?*) t=${arg#/} t=/${t%%/*} # looks like a POSIX filepath + [ -e "$t" ] ;; #( + *) false ;; + esac + then + arg=$( cygpath --path --ignore --mixed "$arg" ) + fi + # Roll the args list around exactly as many times as the number of + # args, so each arg winds up back in the position where it started, but + # possibly modified. + # + # NB: a `for` loop captures its iteration list before it begins, so + # changing the positional parameters here affects neither the number of + # iterations, nor the values presented in `arg`. + shift # remove old arg + set -- "$@" "$arg" # push replacement arg + done +fi + + +# Add default JVM options here. You can also use JAVA_OPTS and GRADLE_OPTS to pass JVM options to this script. +DEFAULT_JVM_OPTS='"-Xmx64m" "-Xms64m"' + +# Collect all arguments for the java command: +# * DEFAULT_JVM_OPTS, JAVA_OPTS, JAVA_OPTS, and optsEnvironmentVar are not allowed to contain shell fragments, +# and any embedded shellness will be escaped. +# * For example: A user cannot expect ${Hostname} to be expanded, as it is an environment variable and will be +# treated as '${Hostname}' itself on the command line. + +set -- \ + "-Dorg.gradle.appname=$APP_BASE_NAME" \ + -classpath "$CLASSPATH" \ + org.gradle.wrapper.GradleWrapperMain \ + "$@" + +# Stop when "xargs" is not available. +if ! command -v xargs >/dev/null 2>&1 +then + die "xargs is not available" +fi + +# Use "xargs" to parse quoted args. +# +# With -n1 it outputs one arg per line, with the quotes and backslashes removed. +# +# In Bash we could simply go: +# +# readarray ARGS < <( xargs -n1 <<<"$var" ) && +# set -- "${ARGS[@]}" "$@" +# +# but POSIX shell has neither arrays nor command substitution, so instead we +# post-process each arg (as a line of input to sed) to backslash-escape any +# character that might be a shell metacharacter, then use eval to reverse +# that process (while maintaining the separation between arguments), and wrap +# the whole thing up as a single "set" statement. +# +# This will of course break if any of these variables contains a newline or +# an unmatched quote. +# + +eval "set -- $( + printf '%s\n' "$DEFAULT_JVM_OPTS $JAVA_OPTS $GRADLE_OPTS" | + xargs -n1 | + sed ' s~[^-[:alnum:]+,./:=@_]~\\&~g; ' | + tr '\n' ' ' + )" '"$@"' + +exec "$JAVACMD" "$@" diff --git a/gradlew.bat b/gradlew.bat new file mode 100644 index 00000000..25da30db --- /dev/null +++ b/gradlew.bat @@ -0,0 +1,92 @@ +@rem +@rem Copyright 2015 the original author or authors. +@rem +@rem Licensed under the Apache License, Version 2.0 (the "License"); +@rem you may not use this file except in compliance with the License. +@rem You may obtain a copy of the License at +@rem +@rem https://www.apache.org/licenses/LICENSE-2.0 +@rem +@rem Unless required by applicable law or agreed to in writing, software +@rem distributed under the License is distributed on an "AS IS" BASIS, +@rem WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +@rem See the License for the specific language governing permissions and +@rem limitations under the License. +@rem + +@if "%DEBUG%"=="" @echo off +@rem ########################################################################## +@rem +@rem Gradle startup script for Windows +@rem +@rem ########################################################################## + +@rem Set local scope for the variables with windows NT shell +if "%OS%"=="Windows_NT" setlocal + +set DIRNAME=%~dp0 +if "%DIRNAME%"=="" set DIRNAME=. +@rem This is normally unused +set APP_BASE_NAME=%~n0 +set APP_HOME=%DIRNAME% + +@rem Resolve any "." and ".." in APP_HOME to make it shorter. +for %%i in ("%APP_HOME%") do set APP_HOME=%%~fi + +@rem Add default JVM options here. You can also use JAVA_OPTS and GRADLE_OPTS to pass JVM options to this script. +set DEFAULT_JVM_OPTS="-Xmx64m" "-Xms64m" + +@rem Find java.exe +if defined JAVA_HOME goto findJavaFromJavaHome + +set JAVA_EXE=java.exe +%JAVA_EXE% -version >NUL 2>&1 +if %ERRORLEVEL% equ 0 goto execute + +echo. 1>&2 +echo ERROR: JAVA_HOME is not set and no 'java' command could be found in your PATH. 1>&2 +echo. 1>&2 +echo Please set the JAVA_HOME variable in your environment to match the 1>&2 +echo location of your Java installation. 1>&2 + +goto fail + +:findJavaFromJavaHome +set JAVA_HOME=%JAVA_HOME:"=% +set JAVA_EXE=%JAVA_HOME%/bin/java.exe + +if exist "%JAVA_EXE%" goto execute + +echo. 1>&2 +echo ERROR: JAVA_HOME is set to an invalid directory: %JAVA_HOME% 1>&2 +echo. 1>&2 +echo Please set the JAVA_HOME variable in your environment to match the 1>&2 +echo location of your Java installation. 1>&2 + +goto fail + +:execute +@rem Setup the command line + +set CLASSPATH=%APP_HOME%\gradle\wrapper\gradle-wrapper.jar + + +@rem Execute Gradle +"%JAVA_EXE%" %DEFAULT_JVM_OPTS% %JAVA_OPTS% %GRADLE_OPTS% "-Dorg.gradle.appname=%APP_BASE_NAME%" -classpath "%CLASSPATH%" org.gradle.wrapper.GradleWrapperMain %* + +:end +@rem End local scope for the variables with windows NT shell +if %ERRORLEVEL% equ 0 goto mainEnd + +:fail +rem Set variable GRADLE_EXIT_CONSOLE if you need the _script_ return code instead of +rem the _cmd.exe /c_ return code! +set EXIT_CODE=%ERRORLEVEL% +if %EXIT_CODE% equ 0 set EXIT_CODE=1 +if not ""=="%GRADLE_EXIT_CONSOLE%" exit %EXIT_CODE% +exit /b %EXIT_CODE% + +:mainEnd +if "%OS%"=="Windows_NT" endlocal + +:omega diff --git a/settings.gradle b/settings.gradle new file mode 100644 index 00000000..19b52044 --- /dev/null +++ b/settings.gradle @@ -0,0 +1 @@ +rootProject.name = 'spring-boot' diff --git a/src/main/java/com/ceos20/spring_boot/Application.java b/src/main/java/com/ceos20/spring_boot/Application.java deleted file mode 100644 index b1cf2f5d..00000000 --- a/src/main/java/com/ceos20/spring_boot/Application.java +++ /dev/null @@ -1,34 +0,0 @@ -package com.ceos20.spring_boot; - -import org.springframework.boot.CommandLineRunner; -import org.springframework.boot.SpringApplication; -import org.springframework.boot.autoconfigure.SpringBootApplication; -import org.springframework.context.ApplicationContext; -import org.springframework.context.annotation.Bean; - -import java.util.Arrays; - -@SpringBootApplication -public class Application { - - public static void main(String[] args) { - SpringApplication.run(Application.class, args); - } - - @Bean - public CommandLineRunner commandLineRunner(ApplicationContext ctx) { - return args -> { - - System.out.println("Let's inspect the beans provided by Spring Boot:"); - - // Spring Boot 에서 제공되는 Bean 확인 - String[] beanNames = ctx.getBeanDefinitionNames(); - Arrays.sort(beanNames); - for (String beanName : beanNames) { - System.out.println(beanName); - } - - }; - } - -} \ No newline at end of file diff --git a/src/main/java/com/ceos20/spring_boot/HelloController.java b/src/main/java/com/ceos20/spring_boot/HelloController.java deleted file mode 100644 index 111dd96e..00000000 --- a/src/main/java/com/ceos20/spring_boot/HelloController.java +++ /dev/null @@ -1,14 +0,0 @@ -package com.ceos20.spring_boot; - -import org.springframework.web.bind.annotation.GetMapping; -import org.springframework.web.bind.annotation.RestController; - -@RestController -public class HelloController { - - @GetMapping("/") - public String index() { - return "Greetings from Spring Boot!"; - } - -} \ No newline at end of file diff --git a/src/main/java/com/ceos20/spring_boot/Test.java b/src/main/java/com/ceos20/spring_boot/Test.java deleted file mode 100644 index 9938f471..00000000 --- a/src/main/java/com/ceos20/spring_boot/Test.java +++ /dev/null @@ -1,14 +0,0 @@ -package com.ceos20.spring_boot; - -import jakarta.persistence.Entity; -import jakarta.persistence.Id; -import lombok.Data; - -@Data -@Entity -public class Test { - - @Id - private Long id; - private String name; -} \ No newline at end of file diff --git a/src/main/java/com/ceos20/spring_boot/TestRepository.java b/src/main/java/com/ceos20/spring_boot/TestRepository.java deleted file mode 100644 index 7e3f26ec..00000000 --- a/src/main/java/com/ceos20/spring_boot/TestRepository.java +++ /dev/null @@ -1,5 +0,0 @@ -package com.ceos20.spring_boot; - -import org.springframework.data.jpa.repository.JpaRepository; - -public interface TestRepository extends JpaRepository {} \ No newline at end of file diff --git a/src/main/java/com/ceos20/spring_boot/TestService.java b/src/main/java/com/ceos20/spring_boot/TestService.java deleted file mode 100644 index efe8e5e6..00000000 --- a/src/main/java/com/ceos20/spring_boot/TestService.java +++ /dev/null @@ -1,20 +0,0 @@ -package com.ceos20.spring_boot; - -import lombok.RequiredArgsConstructor; -import org.springframework.stereotype.Service; -import org.springframework.transaction.annotation.Transactional; - -import java.util.List; - -@Service -@RequiredArgsConstructor -public class TestService { - - private final TestRepository testRepository; - - /* Read All*/ - @Transactional(readOnly = true) - public List findAllTests() { - return testRepository.findAll(); - } -} \ No newline at end of file diff --git a/src/main/java/com/ceos20/springinstagram/SpringInstagramApplication.java b/src/main/java/com/ceos20/springinstagram/SpringInstagramApplication.java new file mode 100644 index 00000000..f5bee5b9 --- /dev/null +++ b/src/main/java/com/ceos20/springinstagram/SpringInstagramApplication.java @@ -0,0 +1,12 @@ +package com.ceos20.springinstagram; + +import org.springframework.boot.SpringApplication; +import org.springframework.boot.autoconfigure.SpringBootApplication; + +@SpringBootApplication +public class SpringInstagramApplication { + + public static void main(String[] args) { + SpringApplication.run(SpringInstagramApplication.class, args); + } +} diff --git a/src/main/java/com/ceos20/springinstagram/domain/Comment.java b/src/main/java/com/ceos20/springinstagram/domain/Comment.java new file mode 100644 index 00000000..3ae69016 --- /dev/null +++ b/src/main/java/com/ceos20/springinstagram/domain/Comment.java @@ -0,0 +1,25 @@ +package com.ceos20.springinstagram.domain; + +import jakarta.persistence.*; +import lombok.Data; +import java.time.LocalDateTime; + +@Entity +@Data +public class Comment { + @Id + @GeneratedValue(strategy = GenerationType.IDENTITY) + private Long commentId; + + @ManyToOne + @JoinColumn(name = "postId") + private Post post; + + @ManyToOne + @JoinColumn(name = "userId") + private User user; + + private String text; + private LocalDateTime timestamp; +} + diff --git a/src/main/java/com/ceos20/springinstagram/domain/DirectMessage.java b/src/main/java/com/ceos20/springinstagram/domain/DirectMessage.java new file mode 100644 index 00000000..5b112b8c --- /dev/null +++ b/src/main/java/com/ceos20/springinstagram/domain/DirectMessage.java @@ -0,0 +1,30 @@ +package com.ceos20.springinstagram.domain; + +import jakarta.persistence.*; +import lombok.Data; +import java.time.LocalDateTime; + +@Entity +@Data +public class DirectMessage { + @Id + @GeneratedValue(strategy = GenerationType.IDENTITY) + private Long messageId; + + @ManyToOne + @JoinColumn(name = "senderId") + private User sender; + + @ManyToOne + @JoinColumn(name = "receiverId") + private User receiver; + + private String text; + private LocalDateTime timestamp; + + /*@PrePersist + protected void onCreate() { + timestamp = LocalDateTime.now(); + } + */ +} diff --git a/src/main/java/com/ceos20/springinstagram/domain/Likes.java b/src/main/java/com/ceos20/springinstagram/domain/Likes.java new file mode 100644 index 00000000..7eb57486 --- /dev/null +++ b/src/main/java/com/ceos20/springinstagram/domain/Likes.java @@ -0,0 +1,23 @@ +package com.ceos20.springinstagram.domain; + +import jakarta.persistence.*; +import lombok.Data; +import java.time.LocalDateTime; + +@Entity +@Data +public class Likes { + @Id + @GeneratedValue(strategy = GenerationType.IDENTITY) + private Long likeId; + + @ManyToOne + @JoinColumn(name = "postId") + private Post post; + + @ManyToOne + @JoinColumn(name = "userId") + private User user; + + private LocalDateTime timestamp; +} diff --git a/src/main/java/com/ceos20/springinstagram/domain/Post.java b/src/main/java/com/ceos20/springinstagram/domain/Post.java new file mode 100644 index 00000000..9a74e1b6 --- /dev/null +++ b/src/main/java/com/ceos20/springinstagram/domain/Post.java @@ -0,0 +1,22 @@ +package com.ceos20.springinstagram.domain; + +import jakarta.persistence.*; +import lombok.Data; +import java.time.LocalDateTime; + +@Entity +@Data +@Table(name = "post") +public class Post { + @Id + @GeneratedValue(strategy = GenerationType.IDENTITY) + private Long postId; + + @ManyToOne + @JoinColumn(name = "userId") + private User user; + private String image; + private String caption; + private LocalDateTime timestamp; +} + diff --git a/src/main/java/com/ceos20/springinstagram/domain/Reply.java b/src/main/java/com/ceos20/springinstagram/domain/Reply.java new file mode 100644 index 00000000..2b332ddc --- /dev/null +++ b/src/main/java/com/ceos20/springinstagram/domain/Reply.java @@ -0,0 +1,24 @@ +package com.ceos20.springinstagram.domain; + +import jakarta.persistence.*; +import lombok.Data; +import java.time.LocalDateTime; + +@Entity +@Data +public class Reply { + @Id + @GeneratedValue(strategy = GenerationType.IDENTITY) + private Long replyId; + + @ManyToOne + @JoinColumn(name = "commentId") + private Comment comment; + + @ManyToOne + @JoinColumn(name = "userId") + private User user; + + private String text; + private LocalDateTime timestamp; +} diff --git a/src/main/java/com/ceos20/springinstagram/domain/User.java b/src/main/java/com/ceos20/springinstagram/domain/User.java new file mode 100644 index 00000000..fe3dc835 --- /dev/null +++ b/src/main/java/com/ceos20/springinstagram/domain/User.java @@ -0,0 +1,21 @@ +package com.ceos20.springinstagram.domain; + +import jakarta.persistence.*; +import lombok.Data; + +@Entity +@Data +@Table(name = "users") +public class User { + @Id + @GeneratedValue(strategy = GenerationType.IDENTITY) + private Long userId; + @Column(nullable = false) + private String username; + @Column(nullable = false) + private String email; + @Column(nullable = false) + private String password; + private String profilePicture; +} + diff --git a/src/main/java/com/ceos20/springinstagram/repository/CommentRepository.java b/src/main/java/com/ceos20/springinstagram/repository/CommentRepository.java new file mode 100644 index 00000000..9a56220c --- /dev/null +++ b/src/main/java/com/ceos20/springinstagram/repository/CommentRepository.java @@ -0,0 +1,10 @@ +package com.ceos20.springinstagram.repository; +import com.ceos20.springinstagram.domain.Post; +import org.springframework.data.jpa.repository.JpaRepository; +import org.springframework.stereotype.Repository; +import com.ceos20.springinstagram.domain.Comment; +import java.util.List; + +@Repository +public interface CommentRepository extends JpaRepository { +} diff --git a/src/main/java/com/ceos20/springinstagram/repository/DirectMessageRepository.java b/src/main/java/com/ceos20/springinstagram/repository/DirectMessageRepository.java new file mode 100644 index 00000000..7408283a --- /dev/null +++ b/src/main/java/com/ceos20/springinstagram/repository/DirectMessageRepository.java @@ -0,0 +1,10 @@ +package com.ceos20.springinstagram.repository; + +import org.springframework.data.jpa.repository.JpaRepository; +import org.springframework.stereotype.Repository; +import com.ceos20.springinstagram.domain.DirectMessage; + +@Repository +public interface DirectMessageRepository extends JpaRepository { +} + diff --git a/src/main/java/com/ceos20/springinstagram/repository/LikesRepository.java b/src/main/java/com/ceos20/springinstagram/repository/LikesRepository.java new file mode 100644 index 00000000..c19d16e3 --- /dev/null +++ b/src/main/java/com/ceos20/springinstagram/repository/LikesRepository.java @@ -0,0 +1,10 @@ +package com.ceos20.springinstagram.repository; + +import org.springframework.data.jpa.repository.JpaRepository; +import org.springframework.stereotype.Repository; +import com.ceos20.springinstagram.domain.Likes; + +@Repository +public interface LikesRepository extends JpaRepository { +} + diff --git a/src/main/java/com/ceos20/springinstagram/repository/PostRepository.java b/src/main/java/com/ceos20/springinstagram/repository/PostRepository.java new file mode 100644 index 00000000..876e168f --- /dev/null +++ b/src/main/java/com/ceos20/springinstagram/repository/PostRepository.java @@ -0,0 +1,9 @@ +package com.ceos20.springinstagram.repository; + +import org.springframework.data.jpa.repository.JpaRepository; +import org.springframework.stereotype.Repository; +import com.ceos20.springinstagram.domain.Post; + +@Repository +public interface PostRepository extends JpaRepository { +} \ No newline at end of file diff --git a/src/main/java/com/ceos20/springinstagram/repository/ReplyRepository.java b/src/main/java/com/ceos20/springinstagram/repository/ReplyRepository.java new file mode 100644 index 00000000..18eeb6aa --- /dev/null +++ b/src/main/java/com/ceos20/springinstagram/repository/ReplyRepository.java @@ -0,0 +1,9 @@ +package com.ceos20.springinstagram.repository; + +import org.springframework.data.jpa.repository.JpaRepository; +import org.springframework.stereotype.Repository; +import com.ceos20.springinstagram.domain.Reply; + +@Repository +public interface ReplyRepository extends JpaRepository { +} diff --git a/src/main/java/com/ceos20/springinstagram/repository/UserRepository.java b/src/main/java/com/ceos20/springinstagram/repository/UserRepository.java new file mode 100644 index 00000000..5c3aa779 --- /dev/null +++ b/src/main/java/com/ceos20/springinstagram/repository/UserRepository.java @@ -0,0 +1,10 @@ +package com.ceos20.springinstagram.repository; + +import com.ceos20.springinstagram.domain.User; +import org.springframework.data.jpa.repository.JpaRepository; +import org.springframework.stereotype.Repository; + + +@Repository +public interface UserRepository extends JpaRepository { +} diff --git a/src/main/resources/application.yml b/src/main/resources/application.yml index f76d53de..9e7db663 100644 --- a/src/main/resources/application.yml +++ b/src/main/resources/application.yml @@ -1,13 +1,14 @@ spring: datasource: - url: jdbc:h2:tcp://localhost/~/ceos20 - username: sa - password: - driver-class-name: org.h2.Driver + url: jdbc:mysql://localhost:3306/insta + username: root + password: 1234 + driver-class-name: com.mysql.cj.jdbc.Driver jpa: hibernate: - ddl-auto: create + ddl-auto: update + show-sql: true properties: hibernate: format_sql: true diff --git a/src/test/java/com/ceos20/spring_boot/HelloControllerTest.java b/src/test/java/com/ceos20/spring_boot/HelloControllerTest.java deleted file mode 100644 index 1258c205..00000000 --- a/src/test/java/com/ceos20/spring_boot/HelloControllerTest.java +++ /dev/null @@ -1,31 +0,0 @@ -package com.ceos20.spring_boot; - -import static org.hamcrest.Matchers.equalTo; -import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.content; -import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.status; - -import org.junit.jupiter.api.DisplayName; -import org.junit.jupiter.api.Test; - -import org.springframework.beans.factory.annotation.Autowired; -import org.springframework.boot.test.autoconfigure.web.servlet.AutoConfigureMockMvc; -import org.springframework.boot.test.context.SpringBootTest; -import org.springframework.http.MediaType; -import org.springframework.test.web.servlet.MockMvc; -import org.springframework.test.web.servlet.request.MockMvcRequestBuilders; - -@SpringBootTest -@AutoConfigureMockMvc -public class HelloControllerTest { - - @Autowired - private MockMvc mvc; - - @DisplayName("DisplayName : 테스트 이름을 설정할 수 있습니다") - @Test - public void getHello() throws Exception { - mvc.perform(MockMvcRequestBuilders.get("/").accept(MediaType.APPLICATION_JSON)) - .andExpect(status().isOk()) - .andExpect(content().string(equalTo("Greetings from Spring Boot!"))); - } -} \ No newline at end of file diff --git a/src/test/java/com/ceos20/springinstagram/SpringInstagramApplicationTests.java b/src/test/java/com/ceos20/springinstagram/SpringInstagramApplicationTests.java new file mode 100644 index 00000000..343e9762 --- /dev/null +++ b/src/test/java/com/ceos20/springinstagram/SpringInstagramApplicationTests.java @@ -0,0 +1,13 @@ +package com.ceos20.springinstagram; + +import org.junit.jupiter.api.Test; +import org.springframework.boot.test.context.SpringBootTest; + +@SpringBootTest +class SpringInstagramApplicationTests { + + @Test + void contextLoads() { + } + +} \ No newline at end of file From c6f97adb77f3f4bc94350327eec74d955efb66e9 Mon Sep 17 00:00:00 2001 From: nhi33 Date: Fri, 20 Sep 2024 02:54:01 +0900 Subject: [PATCH 6/7] =?UTF-8?q?=EB=8B=A8=EC=9C=84=ED=85=8C=EC=8A=A4?= =?UTF-8?q?=ED=8A=B8?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- .../repository/PostRepositoryTest.java | 90 +++++++++++++++++++ 1 file changed, 90 insertions(+) create mode 100644 src/test/java/com/ceos20/springinstagram/repository/PostRepositoryTest.java diff --git a/src/test/java/com/ceos20/springinstagram/repository/PostRepositoryTest.java b/src/test/java/com/ceos20/springinstagram/repository/PostRepositoryTest.java new file mode 100644 index 00000000..19be1069 --- /dev/null +++ b/src/test/java/com/ceos20/springinstagram/repository/PostRepositoryTest.java @@ -0,0 +1,90 @@ +package com.ceos20.springinstagram.repository; + +import com.ceos20.springinstagram.domain.Post; +import com.ceos20.springinstagram.domain.User; +import org.junit.jupiter.api.BeforeEach; +import org.junit.jupiter.api.Test; +import org.springframework.beans.factory.annotation.Autowired; +import org.springframework.boot.test.autoconfigure.orm.jpa.DataJpaTest; +import org.springframework.test.context.jdbc.Sql; + +import jakarta.persistence.EntityManager; +import java.time.LocalDateTime; +import java.util.List; + +import static org.assertj.core.api.Assertions.assertThat; + +@DataJpaTest +public class PostRepositoryTest { + + @Autowired + private PostRepository postRepository; + + @Autowired + private UserRepository userRepository; + + @Autowired + private EntityManager entityManager; // JPA 쿼리 확인을 위한 EntityManager + + @BeforeEach + public void setup() { + // Given - 3명의 유저를 저장 + User user1 = new User(); + user1.setUsername("user1"); + user1.setEmail("user1@test.com"); + user1.setPassword("password1"); + userRepository.save(user1); + + User user2 = new User(); + user2.setUsername("user2"); + user2.setEmail("user2@test.com"); + user2.setPassword("password2"); + userRepository.save(user2); + + User user3 = new User(); + user3.setUsername("user3"); + user3.setEmail("user3@test.com"); + user3.setPassword("password3"); + userRepository.save(user3); + + // Given - 3개의 포스트를 저장 + Post post1 = new Post(); + post1.setUser(user1); + post1.setImage("image1.jpg"); + post1.setCaption("caption1"); + post1.setTimestamp(LocalDateTime.now()); + postRepository.save(post1); + + Post post2 = new Post(); + post2.setUser(user2); + post2.setImage("image2.jpg"); + post2.setCaption("caption2"); + post2.setTimestamp(LocalDateTime.now()); + postRepository.save(post2); + + Post post3 = new Post(); + post3.setUser(user3); + post3.setImage("image3.jpg"); + post3.setCaption("caption3"); + post3.setTimestamp(LocalDateTime.now()); + postRepository.save(post3); + + // JPA 쿼리를 확인하기 위해 flush + entityManager.flush(); + entityManager.clear(); + } + + @Test + public void givenPosts_whenFindAll_thenReturnPosts() { + // When - 모든 포스트를 조회 + List posts = postRepository.findAll(); + + // Then - 조회된 포스트가 3개인지 확인 + assertThat(posts).hasSize(3); + + // Then - 각각의 포스트가 올바른지 확인 + assertThat(posts.get(0).getCaption()).isEqualTo("caption1"); + assertThat(posts.get(1).getCaption()).isEqualTo("caption2"); + assertThat(posts.get(2).getCaption()).isEqualTo("caption3"); + } +} From e4c719d9bc6d8ebe709b416dbe8ca41642824a8e Mon Sep 17 00:00:00 2001 From: nhi33 Date: Fri, 20 Sep 2024 03:25:07 +0900 Subject: [PATCH 7/7] =?UTF-8?q?=C3=A3README=20=EC=B6=94=EA=B0=80?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- README.md | 151 ++++++++++++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 151 insertions(+) diff --git a/README.md b/README.md index e69de29b..787950b5 100644 --- a/README.md +++ b/README.md @@ -0,0 +1,151 @@ +## 1. 데이터베이스 모델링 + +## pre. 요구사항 분석 + +**[인스타그램 서비스 분석]** + +### 1. 서비스 개요 + +인스타그램은 사용자들이 게시글을 작성하고, 댓글을 달며, 좋아요를 누르고, 메시지를 주고받을 수 있는 기능을 제공합니다. + +### 2. 기능 요구사항 + +### 2.1 게시글 기능 + +- **게시글 조회**: 사용자는 타인의 게시글을 조회할 수 있습니다. +- **게시글 작성**: 사용자는 텍스트와 사진을 포함하여 게시글을 작성할 수 있습니다. +- **게시글 수정 및 삭제**: 사용자는 자신이 작성한 게시글을 수정하거나 삭제할 수 있습니다. + +### 2.2 댓글 기능 + +- **댓글 작성**: 사용자는 게시글에 댓글을 작성할 수 있습니다. +- **대댓글 기능**: 사용자는 댓글에 대한 대댓글을 작성할 수 있습니다. +- **댓글 수정 및 삭제**: 사용자는 자신이 작성한 댓글 및 대댓글을 수정하거나 삭제할 수 있습니다. + +### 2.3 좋아요 기능 + +- **좋아요**: 사용자는 게시글에 좋아요를 누를 수 있습니다. +- **좋아요 취소**: 사용자는 자신이 누른 좋아요를 취소할 수 있습니다. + +### 2.4 Direct Message (DM) 기능 + +- **DM 작성**: 사용자는 다른 사용자와 1:1로 메시지를 주고받을 수 있습니다. +- **DM 삭제**: 사용자는 자신이 보낸 DM을 삭제할 수 있습니다. + +### 구현 계획 + +### Domain (Entity) 클래스 + +- 각 테이블에 대응하는 Entity 클래스를 정의하고, JPA 어노테이션을 통해 MySQL 데이터베이스와 매핑합니다. + +### Repository 계층 + +- **JpaRepository**를 확장한 Repository 인터페이스를 정의하여, 기본 CRUD 작업을 자동으로 수행합니다. + +### 서비스 계층 + +- 비즈니스 로직을 처리하며, Repository를 통해 데이터베이스와 상호작용합니다. + +### 컨트롤러 계층 + +- 사용자 요청을 처리하고, 클라이언트와 서버 간의 데이터 교환을 관리합니다. + +## 1) 개념적 설계 + +**1-1) 개체(entity)와 속성(attribute) 추출** + +**1. 사용자 (Users)** + +- **UserID** (PK) : 사용자 고유 식별자 +- **Username** : 사용자 이름 +- **Email** : 이메일 주소 +- **Password** : 암호 +- **ProfilePicture** : 프로필 사진 +- **Bio** : 사용자 소개 + +**2. 게시글 (Post)** + +- **PostID** (PK) : 게시글 고유 식별자 +- **UserID** (FK) : 게시글 작성자 +- **Image** : 이미지 파일 +- **Caption** : 게시글 내용 +- **Timestamp** : 작성 시간 + +**3. 댓글 (Comment)** + +- **CommentID** (PK) : 댓글 고유 식별자 +- **PostID** (FK) : 댓글이 달린 게시글 +- **UserID** (FK) : 댓글 작성자 +- **Text** : 댓글 내용 +- **Timestamp** : 댓글 작성 시간 + +**4. 대댓글 (Reply)** + +- **ReplyID** (PK) : 대댓글 고유 식별자 +- **CommentID** (FK) : 대댓글이 달린 댓글 +- **UserID** (FK) : 대댓글 작성자 +- **Text** : 대댓글 내용 +- **Timestamp** : 대댓글 작성 시간 + +**5. 좋아요 (Likes)** + +- **LikeID** (PK) : 좋아요 고유 식별자 +- **PostID** (FK) : 좋아요가 달린 게시글 +- **UserID** (FK) : 좋아요를 누른 사용자 +- **Timestamp** : 좋아요 시간 + +**6. 다이렉트 메시지 (DirectMessage)** + +- **MessageID** (PK) : 메시지 고유 식별자 +- **SenderID** (FK) : 메시지 발신자 +- **ReceiverID** (FK) : 메시지 수신자 +- **Text** : 메시지 내용 +- **Timestamp** : 메시지 전송 시간 + +## 2) 논리적 설계 + +릴레이션(스키마) + +개체 → 릴레이션 이름 + +속성 → 릴레이션의 속성 + +![erd](https://github.com/user-attachments/assets/49eea983-2974-45d1-aa0c-f19a31790f66) + +## 3) 물리적 설계 + +**SQL문 작성 예시** + +-- 사용자 테이블 +CREATE TABLE User ( +UserID INT PRIMARY KEY AUTO_INCREMENT, +Username VARCHAR(50) NOT NULL, +Email VARCHAR(100) NOT NULL UNIQUE, +Password VARCHAR(100) NOT NULL, +ProfilePicture VARCHAR(255), +); + +-- 게시글 테이블 +CREATE TABLE Post ( +PostID INT PRIMARY KEY AUTO_INCREMENT, +UserID INT, +Image VARCHAR(255), +Caption TEXT, +Timestamp DATETIME DEFAULT CURRENT_TIMESTAMP, +FOREIGN KEY (UserID) REFERENCES User(UserID) +); + + +테이블이름 user로 했더니 단위테스트에서 오류계속발생.. + +다른 분들은 잘되는것같길래 안바꾸고 해봤는데 계속 안돼서 users로 테이블 이름 변경하니 성공. . + + +![image (2)](https://github.com/user-attachments/assets/ace93beb-c781-4ab6-a3d2-c5a2ad068f8c) + +# REPOSITORY 단위테스트 + +- `given` : 테스트 실행을 준비하는 단계 +- `when` : 테스트를 진행하는 단계 +- `then` : 테스트 결과를 검증하는 단계 +