오늘 배운 것:서버는 세션 정보를 가지고 있지만 세션id가 없다면 어떤 세션인지 식별할 수 없다. 클라이언트에서 쿠키에 저장한 세션id를 받아서 서버에서 찾아서 응답해주는 로직을 안하고 서버에서 세션값을 가져오려다가 알게 되었다~~로그인한 세션은 덮어씌워지고 브라우저에서 하나만 가지고 있다고 생각해서 발생한 문제였다. 그렇다면 세션은 몇개까지 서버에서 저장할 수 있는거지? 저장한 세션을 모두 조회해볼 수도 있겠다
애매한 이해 정리,,
덮어씌워짐?:
"덮어씌워진다"는 표현은 같은 브라우저에서 새 로그인 요청이 있을 때 기존 세션 데이터가 갱신되는 걸 의미할 수 있습니다.
하지만 세션이 새로 생성되어 덮어씌워지는 건 아님. 기존 JSESSIONID에 연결된 세션 객체가 유지되고, 속성(setAttribute)만 업데이트됩니다.
정확한 표현:
"같은 브라우저에서 하나의 JSESSIONID를 유지하며, 로그인 시 세션 속성이 업데이트된다."
그러면 나는 다른 컨트롤러 단에서 HttpSession 객체를 파라미터로 넣었더니 세션 객체가 생성되어서 해당 세션에는 속성값을 등록하지 않아서 null이 나왔던 것.
원래있던 세션은?
원래 세션은 서버에 그대로 유지됨:
서버는 세션을 메모리(또는 Redis 같은 저장소)에 저장하고, 클라이언트가 새 세션을 생성해도 기존 세션은 삭제되거나 즉시 영향을 받지 않습니다.
예:
로그인 후: JSESSIONID=abc123, USER=alice.
새 세션 생성: JSESSIONID=xyz789, USER=null.
서버 메모리:
text
CollapseWrapCopy
abc123: {USER: "alice"} xyz789: {}
원래 세션(abc123)은 여전히 서버에 존재.
클라이언트와의 연결이 끊어짐:
클라이언트가 새 JSESSIONID(예: xyz789)를 쿠키로 사용하면, 이후 요청은 새 세션에만 연결됩니다.
원래 세션(abc123)은 클라이언트가 더 이상 참조하지 않으므로 "활성 상태"에서 제외됨.
원래 세션의 운명:
타임아웃까지 유지: 세션은 설정된 타임아웃(기본 30분, server.servlet.session.timeout) 동안 살아있습니다.
만료 후 삭제: 타임아웃이 지나면 서버가 자동으로 세션을 정리(Garbage Collection 또는 세션 저장소에서 제거).
즉시 무효화: 서버 코드에서 session.invalidate()를 호출하면 즉시 삭제됨.
package 리트코드;
public class ConcatenationOfConsecutiveBinaryNumbers1680 {
private static final int MOD = 1000000007;
public int concatenatedBinary(int n) {
//long은 19자리수 가능
long result = 0;
for (int i = 1; i <= n; i++) {
int num = i;
StringBuilder binaryStr = new StringBuilder();
while (num > 0) {
binaryStr.append(num % 2); //나머지 넣기
num /= 2; //2나누기
}
binaryStr.reverse();
String binary = binaryStr.toString();
//비트 연산을 통해 이진 문자열을 추가
for (char c : binary.toCharArray()) {
//2로 곱하고 나머지를 더하는 식임
// '0'을 빼면 수로 변환됨
//MOD로 나눈 나머지로 구하는 이유는 매우큰 숫자 다룰 때 오버플로우 방지하고 결과를 적절한 범위내에서 유지하기 위함임
result = (result * 2 + (c - '0')) % MOD;
System.out.println("result = " + result);
}
}
return (int) result;
}
public static void main(String[] args) {
int n = 12;
ConcatenationOfConsecutiveBinaryNumbers1680 concatenationOfConsecutiveBinaryNumbers1680 = new ConcatenationOfConsecutiveBinaryNumbers1680();
int result = concatenationOfConsecutiveBinaryNumbers1680.concatenatedBinary(n);
System.out.println("result = " + result);
}
}
result = 1 result = 3 result = 6 result = 13 result = 27 result = 55 result = 110 result = 220 result = 441 result = 882 result = 1765 result = 3531 result = 7063 result = 14126 result = 28253 result = 56507 result = 113015 result = 226031 result = 452062 result = 904124 result = 1808248 result = 3616497 result = 7232994 result = 14465988 result = 28931977 result = 57863955 result = 115727910 result = 231455821 result = 462911642 result = 925823285 -> 여기까진 값네 925823285 result = 851646563 (-> 나누지 않은 값이 1851646570 = 925823285 *2 로, 10자리여서 MOD로 나눠지게 됨. 그 나머지값임) result = 703293120 result = 406586234 result = 813172469 result = 626344932 result = 252689857 result = 505379714 result = 505379714
근데 만약 MOD를 나눈 나머지 값으로 구하지 않는다면? private static final int MOD = 1000000007;
result = (result * 2 + (c - '0'));
result = 1 result = 3 result = 6 result = 13 result = 27 result = 55 result = 110 result = 220 result = 441 result = 882 result = 1765 result = 3531 result = 7063 result = 14126 result = 28253 result = 56507 result = 113015 result = 226031 result = 452062 result = 904124 result = 1808248 result = 3616497 result = 7232994 result = 14465988 result = 28931977 result = 57863955 result = 115727910 result = 231455821 result = 462911642 result = 925823285 -> 9자리
--여기까지 같음-- result = 1851646570 = 925823285 *2
result = 3703293141 = 1851646570 * 2 +(나머지 1 더함 )
result = 7406586283 result = 14813172567 result = 29626345135 result = 59252690270 result = 118505380540 result = -1753703748 = 118505380540 * 2 = 237,010,761,080
도커데스크탑만 켜둔 상태 (참고로 cli로 하면 desktop켜고 싶어도 colima끈상태로는 접속안됨)
❯ docker exec -it mysql-container bash
bash-4.4# mysql -uroot -p
Enter password:
Welcome to the MySQL monitor. Commands end with ; or \\g.
Your MySQL connection id is 15
Server version: 8.0.33 MySQL Community Server - GPL
Copyright (c) 2000, 2023, Oracle and/or its affiliates.
Oracle is a registered trademark of Oracle Corporation and/or its
affiliates. Other names may be trademarks of their respective
owners.
Type 'help;' or '\\h' for help. Type '\\c' to clear the current input statement.
mysql>
접속 성공!
도꺼데스크탑 껐음
데이터베이스 서버 죽어서 연결끊김
결론
나는 Colima를 통한 도커 환경과
도터 데스크탑 환경 이렇게 두가지 환경을 구축해놨었다.
mysql 계정 설정했던 환경은 도커 데스크탑 환경이었어서 colima를 통해 띄운 도커 컨테이너로는 접속이 안되었던 것이다.
@Select("SELECT * FROM Clothes where userCloset_id = #{UserClosetId}")
List<Clothes> selectClothes(@Param("UserClosetId") int userClosetId);
{
"status": "BAD_REQUEST",
"exceptions": [
"Error attempting to get column 'id' from result set. Cause: java.lang.IllegalArgumentException: No enum constant com.favorite.project.ClothesCategory.ClothesCategoryEnumType.4"
],
"message": "매핑 실패"
}
No enum constant 찾아보니 DB에서 가져온 값을 객체화하려고 보니
enum타입에 없어서 생기는 문제라고 한다
즉, enum타입에 없는 값이 DB에 있다는 것..
이넘상수객체를 필드로 참조하고 있는 환경과
외래키로 값을 참조하고 있는 데이터베이스 환경을 어떻게 맞춰줄까라는 고민에 빠졌다.
사실상 문제의 시작은
옷장에 옷Clothes를 넣을 때부터 시작되었다.
서비스 단에서 데이터 삽입 시에
public int getClothesCategoryId(ClothesCategoryEnumType clothesCategoryEnumType) {
int idByCategoryName = categoryMapper.selectCategoryIdByCategoryName(clothesCategoryEnumType.name());
return idByCategoryName;
}
이렇게 clothes 테이블에 clothes_categoryid를 enum인 카테고리 이름으로
clothes_category테이블에 있는 id값을 찾아서 값을 넣었는데
이제 clothes 테이블 값을 전체 가져오려고 하니까 문제가 생긴다.
가져온 clothes_categoryid값은 enum 객체에는 없는 값이고 clothes_category테이블을 거쳐서 그 상수값이 들어와야하기 때문이다.
enum 하나 때문에 매핑에 실패해서 다른 값들을 못불러오고 있어서
문제되는 enum값 제외하고 호출해보았다.
(이래가지고 select * from말고 필요한 데이터 선언해서 불러와야 문제점을 파악하기 쉽겠다는 깨달음도 얻었다.)
Clothes테이블에서 sql타입이 카테고리 id가 int로 선언한 dto 객체에
매핑하기 위해서 SQL문과 매핑하는 객체를 다음과 같은 형식으로 바꾸면 값이 가져와진다
@Builder
@Getter
public class ClothesPriceAndImgAndPurchasedDate {
private int id;
private int clothesCategoryEnumType; //이렇게 int값으로
private int price;
private String img;
private LocalDate purchasedDate;
}
옷장에 옷 데이터 삽입할 때는 어떻게 했을지 코드를 보자면,
나는 이러한 객체와 데이터베이스의 다른 구조를 어떻게 해결해야될지 몰라서
id를 세터로 직접 지정하는 선택을 했는데 이게.. 이게.. 맞아?
@Builder
@Getter
public class Clothes {
private ClothesCategoryEnumType clothesCategoryEnumType;
private SeasonType seasonType;
private int price;
private String imgUrl;
private LocalDate purchasedDate;
@Setter
private int categoryId;
//TODO: 세터로 박지 말고 다른 방법 찾기
@Setter
private int userClosetId;
}
ClothesService 클래스
public ClothesResponseDto addClothes(ClothesAddDto clothesAddDto) {
Clothes clothes = clothesAddDto.toClothes(clothesAddDto);
boolean checkValidClosetResult = checkValidCloset(clothes);
if (checkValidClosetResult) {
//이넘타입 이름 가져와서
ClothesCategoryEnumType categoryEnumType = clothes.getCategoryName();
//카테고리 테이블에서 검색해서
int clothesCategoryId = clothesCategoryService.getClothesCategoryId(categoryEnumType);
//그 id로 카테고리 id값을 넣고 있구나
clothes.setCategoryId(clothesCategoryId);
clothesMapper.insertClothes(clothes);
return clothes.toClothesResponseDto(clothes);
} else {
throw new IllegalArgumentException("유효한 옷장이 아닙니다");
}
}
내가 원하는 것은 객체지향적인 프로그래밍이다.
목표:
밖에서 clothes의 clothesCategoryId를 함부로 설정할 수 없게 객체 내부에서 알아서 처리해줬으면 좋겠다.
ClothesCategoryEnumType객체 내에서
상수타입 → id로 변환해서 SQL문에 적용하면 어떨까 생각해봤다.
그러면 상수타입을 Clothes_category 테이블에서 조회해서 id를 가져와 보내줘야 하지 않을까 싶어
지금처럼 카테고리 id값을 객체에 설정해주었다.
id값을 직접 설정하는 것이 유연하지 않은 코드라고 느껴졌다. 그럼에도 id를 추가했던 이유는 상수타입 TOPS들고 카테고리 테이블을 다시 조회해서 id값을 들고 오기 위해 sql요청을 두 번하는 것보다는 상수객체에서 관리하는 게 낫겠다는 생각이 들어서였다.
이제 카테고리타입을 알면 그 카테고리id를 알 수 있게 되었다.
public enum ClothesCategoryEnumType {
TOPS(1, "상의"),
PANTS(3, "하의"),
OUTERWEAR(4, "겉옷"),
ACTIVE(9, "활동복");
private int clothesCategoryId;
private String clothesCategoryName;
ClothesCategoryEnumType(int clothesCategoryId, String clothesCategoryName) {
this.clothesCategoryId = clothesCategoryId;
this.clothesCategoryName = clothesCategoryName;
}
public static String getClothesCategoryName(int clothesCategoryId) {
for (ClothesCategoryEnumType type : values()) {
if (type.clothesCategoryId == clothesCategoryId) {
return type.clothesCategoryName;
}
}
return null;
}
}
그런데 계속 막히는 지점들이 있다.
데이터 조회시 특정 옷장의 모든 옷들을 가져온다.
조회마다 다른 api를 작성해야하는 걸까? (결론은 yes)
Clothes 도메인으로 값을 모두 가져온다음에
사용할 데이터만 다른 dto로 담아서 컨트롤러에 응답하면 되려나? ( 결론은 쿼리매핑하는 dto객체를 별도로 만들어서 사용했다 )
위에도 언급했지만 지금 내 프로젝트는 JPA를 사용하고 있지 않기 때문에
데이터베이스 테이블과 매핑하는 entity개념이 빠져있다. 그래서 더 헷갈렸었다.
1. setter제거하기
setter를 제거하고 어떻게 id값을 설정할지는
Clothes 빌더로 생성할 때 설정하는 것으로 해결하였다.
서비스단에서
이름을 가져와서 id를 찾았던 코드
id값을 따로 설정했던 코드를 삭제했다
2. SQL문과 매핑할 객체 만들기
데이터 조회 수정하려는데 객체와 mysql문 매핑할 때
객체 필드와 컬럼 순서가 맞아야했다!!! 사용하지 않는 필드도 들어가있으면 컬럼을 가져오지 못했다!)
{
"status": "BAD_REQUEST",
"exceptions": [
"Error attempting to get column 'price' from result set. Cause: java.lang.IllegalArgumentException: No enum constant com.favorite.project.Clothes.SeasonType.500.00"
],
"message": "매핑 실패"
}
쿼리와 매핑하는 객체
@Builder
@Getter
public class ClothesListDto {
private int id;
private int userClosetId;
private int clothesCategoryEnumTypeId;
private int price;
private String img;
private LocalDate purchasedDate;
private SeasonType season;
}