-
Notifications
You must be signed in to change notification settings - Fork 46
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Part3 김민섭 week19 제출 #497
The head ref may contain hidden characters: "part3-\uAE40\uBBFC\uC12D-week19"
Part3 김민섭 week19 제출 #497
Conversation
수고 하셨습니다 ! 스프리트 미션 하시느라 정말 수고 많으셨어요. |
커밋이 한꺼번에 많이 올려드려서 죄송합니다.아하핳 괜찮습니다 ! 모든 코드 보면서 리뷰해보도록 할게요 ! 기존 코드 리펙토링을 중점적으로 진행했습니다.넵넵 😊 |
commit 단위를 더욱 자주, 작게 해보시는건 어떠실까요?git을 다룰 때 commit은 "언제 해야 하는가"를 생각해보신 적 있으신가요?
그럼 커밋을 언제 해야 할까요?저는 다음과 같은 룰을 지키며 커밋을 하는걸 권장 드립니다:
관련하여 읽으시면 좋은 아티클을 추천드릴게요:tl;dr관련 변경 사항 커밋 자주 커밋 미완성 작업을 커밋하지 마십시오 커밋하기 전에 코드를 테스트하세요 또한 깃 커밋 메시지 컨벤션도 함께 읽어보세요:tl;dr:커밋 메시지 형식 type: Subject
body
footer 기본적으로 3가지 영역(제목, 본문, 꼬리말)으로 나누어졌다. 메시지 type은 아래와 같이 분류된다. 아래와 같이 소문자로 작성한다. feat : 새로운 기능 추가 |
export const useGetUserInfo = { | ||
queryKey: () => key.user(), | ||
|
||
queryOptions: () => | ||
queryOptions<{ data: { data: User[] } }>({ | ||
queryKey: useGetUserInfo.queryKey(), | ||
queryFn: () => apiInstance.get(CODEIT_USER), | ||
}), | ||
}; |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
해당 객체는 hook
으로 보이지 않습니다 !:
export const useGetUserInfo = { | |
queryKey: () => key.user(), | |
queryOptions: () => | |
queryOptions<{ data: { data: User[] } }>({ | |
queryKey: useGetUserInfo.queryKey(), | |
queryFn: () => apiInstance.get(CODEIT_USER), | |
}), | |
}; | |
export const userQuery = { | |
queryKey: () => key.user(), | |
queryOptions: () => | |
queryOptions<{ data: { data: User[] } }>({ | |
queryKey: useGetUserInfo.queryKey(), | |
queryFn: () => apiInstance.get(CODEIT_USER), | |
}), | |
}; |
보편적으로 use ~
는 커스텀 훅에 사용됩니다. 위처럼 다른 네이밍을 사용해보는게 어떨까요 !?
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
혹은 다음과 같이 쿼리들을 관리할 수도 있어요:
export const userQueries = {
getUsers: () => null,
getUserById: () => null
};
그리고 키들은 다음과 같이 !
export const userKeys = {
getUsers: ['user'],
getUserById: (id: string) => ['user', id]
};
const Header = () => { | ||
const { userData, error } = useGetUserData(); | ||
export const Header = () => { | ||
const { data: userData } = useQuery(useGetUserInfo.queryOptions()); |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
만약 전 리뷰처럼 수정된다면 다음과 같이 수정되겠네요 !:
const { data: userData } = useQuery(useGetUserInfo.queryOptions()); | |
const { data: userData } = useQuery({ queryFn: userQueries.getUser, queryKey: userQueryKeys.getUser }); |
export function useAuthGuard() { | ||
const router = useRouter(); | ||
|
||
type GuardPath = "token" | "notToken"; | ||
|
||
const guardPath: Record<GuardPath, Record<string, boolean>> = { | ||
token: { "/folder/[[...folderId]]": true }, | ||
notToken: { "/signin": true }, | ||
}; | ||
// SSR에서의 접근을 막기 위한 로직입니다. | ||
if (typeof window === "undefined") return; | ||
const pathname = router.pathname; | ||
const token = localStorage.getItem("accessToken"); | ||
|
||
if (!token && guardPath["token"][pathname]) { | ||
router.push("/signin"); | ||
return; | ||
} | ||
} |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
오호? 커스텀 훅으로 인가가 되지 않았을 때 접근을 방어하셨군요? 🫢
token: { "/folder/[[...folderId]]": true }, | ||
notToken: { "/signin": true }, |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
만약, signup
도 화이트 리스트(notToken
)에 추가하고 싶다면?
만약 singup
페이지도 추가하고 싶다면 코드에 변경이 필요할 것 같아요. 화이트 리스트는 보편적으로 배열로 관리하기에, 배열로 만들어두는게 어떨까요?
token: { "/folder/[[...folderId]]": true }, | ||
notToken: { "/signin": true }, |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
그리고 변수명 제안드립니당 😉:
token: { "/folder/[[...folderId]]": true }, | |
notToken: { "/signin": true }, | |
requireLoggedIn: { "/folder/[[...folderId]]": true }, | |
requireLoggedOut: { "/signin": true }, |
const key = { | ||
linkList: () => ["users/1/links"], | ||
}; |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
함수로 만든 이유가 있을까요?
const key = { | |
linkList: () => ["users/1/links"], | |
}; | |
const key = { | |
linkList: ["users/1/links"], | |
}; |
값이므로 배열 값으로 충분할 것 같아요 !
혹은 다음과 같이 동적으로 작성할 수도 있을 것 같아요:
const key = { | |
linkList: () => ["users/1/links"], | |
}; | |
const key = { | |
linkList: (id: string) => ['users', id, 'links'], | |
}; |
|
||
export const signinApi = async (data: { email: string; password: string }) => { | ||
const res = await apiInstance.post("sign-in", data); | ||
if (!res) return; |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
API 통신부에서 에러가 났을 때 어떻게 대처하면 될까요?
제가 예상하는 문제는 로그인을 하는데 "이미 등록된 아이디임"과 "아이디에 특수문자 들어가면 안됨" 이라는 에러 UI를 출력한다고 생각해봅시다..!
현재 error
를 그냥 undefined
로 반환해주고 있기에 해당 함수를 사용하는 컴포넌트에서는 분기처리하기 힘들거예요 !
그렇다면 어떻게 할까요?
방법은 다양합니다만, 지금 바로 해볼 수 있는 방법은 throw
를 해보는거예요:
if (!res) return; | |
try { | |
} catch (error) { | |
console.error(`Failed to fetch data: ${error}`); // 통신부에서 처리할 로직 및 로깅 | |
throw(error); | |
} |
위처럼 throw
를 해준다면 서버에서 보내준 에러의 메시지를 사용자에게 toast든, 모달이든, 알러트든 보여줄 수 있겠죠?
다음과 같이요 !!:
// Component
useEffect(() => {
try {
getItemsComments();
// 이어서..
} catch (err) {
alert(err.message)
}
}, [])
import apiInstance from "@/shared/model/axios"; | ||
|
||
export const signinApi = async (data: { email: string; password: string }) => { | ||
const res = await apiInstance.post("sign-in", data); |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
반환 타입을 지정해볼까요?:
const res = await apiInstance.post("sign-in", data); | |
const res = await apiInstance.post<SignInResponse>("sign-in", data); |
제네릭으로 위와 같이 반환 타입을 지정할 수 있습니다 !
|
||
localStorage.setItem("accessToken", result.data.accessToken); | ||
window.location.replace("/folder"); | ||
console.log("signin"); |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
console.log
를 남기게 되면 추 후 디버깅이 어려울 수 있습니다 !:
git add {path} -p
옵션
git add . -p
를 사용하게 되면 변경사항을 스테이징에 올릴 때 파일 내 코드 단위로 잘라서 올릴 수 있습니다 ! 상당히 유용하므로 히스토리를 신경쓰신다면 꼭 사용해보세요 😊
어떻게 사용하지?
git add . -p
localStorage.setItem("accessToken", result.data.accessToken); | ||
window.location.replace("/folder"); |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
해당 함수는 클라이언트 사이드에서만 사용할 수 있겠군요? 🤔
수고하셨습니다 민섭님 !! 😊 |
주요 변경사항
멘토에게