Skip to content
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

[8팀 김도운] [Chapter 2-1] 클린코드와 리팩토링 #42

Open
wants to merge 11 commits into
base: main
Choose a base branch
from

Conversation

devJayve
Copy link

@devJayve devJayve commented Jan 9, 2025

과제 체크포인트

기본과제

  • 코드가 Prettier를 통해 일관된 포맷팅이 적용되어 있는가?
  • 적절한 줄바꿈과 주석을 사용하여 코드의 논리적 단위를 명확히 구분했는가?
  • 변수명과 함수명이 그 역할을 명확히 나타내며, 일관된 네이밍 규칙을 따르는가?
  • 매직 넘버와 문자열을 의미 있는 상수로 추출했는가?
  • 중복 코드를 제거하고 재사용 가능한 형태로 리팩토링했는가?
  • 함수가 단일 책임 원칙을 따르며, 한 가지 작업만 수행하는가?
  • 조건문과 반복문이 간결하고 명확한가? 복잡한 조건을 함수로 추출했는가?
  • 코드의 배치가 의존성과 실행 흐름에 따라 논리적으로 구성되어 있는가?
  • 연관된 코드를 의미 있는 함수나 모듈로 그룹화했는가?
  • ES6+ 문법을 활용하여 코드를 더 간결하고 명확하게 작성했는가?
  • 전역 상태와 부수 효과(side effects)를 최소화했는가?
  • 에러 처리와 예외 상황을 명확히 고려하고 처리했는가?
  • 코드 자체가 자기 문서화되어 있어, 주석 없이도 의도를 파악할 수 있는가?
  • 비즈니스 로직과 UI 로직이 적절히 분리되어 있는가?
  • 코드의 각 부분이 테스트 가능하도록 구조화되어 있는가?
  • 성능 개선을 위해 불필요한 연산이나 렌더링을 제거했는가?
  • 새로운 기능 추가나 변경이 기존 코드에 미치는 영향을 최소화했는가?
  • 리팩토링 시 기존 기능을 그대로 유지하면서 점진적으로 개선했는가?
  • 코드 리뷰를 통해 다른 개발자들의 피드백을 반영하고 개선했는가?

심화과제

  • 변경한 구조와 코드가 기존의 코드보다 가독성이 높고 이해하기 쉬운가?
  • 변경한 구조와 코드가 기존의 코드보다 기능을 수정하거나 확장하기에 용이한가?
  • 변경한 구조와 코드가 기존의 코드보다 테스트를 하기에 더 용이한가?
  • 변경한 구조와 코드가 기존의 모든 기능은 그대로 유지했는가?
  • 변경한 구조와 코드를 새로운 한번에 새로만들지 않고 점진적으로 개선했는가?

과제 셀프회고

과제에서 좋았던 부분

과제를 하면서 새롭게 알게된 점

과제를 진행하면서 아직 애매하게 잘 모르겠다 하는 점, 혹은 뭔가 잘 안되서 아쉬운 것들

리뷰 받고 싶은 내용이나 궁금한 것에 대한 질문

@devJayve devJayve changed the title [8팀] [Chapter 2-1] 클린코드와 리팩토링 [8팀 김도운] [Chapter 2-1] 클린코드와 리팩토링 Jan 9, 2025
Comment on lines +3 to +57
export function CartSummary() {
const element = document.createElement('div');
element.id = 'cart-total';
element.className = 'text-xl font-bold my-4';

const { getCart } = useCart();

const calSummary = () => {
const cart = getCart();
let subtotal = 0;
let totalWithQuantityDiscount = 0;
let totalQuantity = 0;

// 각 상품의 수량별 할인 계산
cart.forEach(({ product, quantity }) => {
const itemTotal = product.price * quantity;
subtotal += itemTotal;
totalQuantity += quantity;

if (quantity >= 10) {
totalWithQuantityDiscount += itemTotal * (1 - product.discountRate);
} else {
totalWithQuantityDiscount += itemTotal;
}
});

// 최종 금액 계산 (수량 할인 vs 대량 구매 할인)
let finalTotal = totalWithQuantityDiscount;
let discountRate = (subtotal - totalWithQuantityDiscount) / subtotal || 0;

// 30개 이상 구매시 25% 할인과 비교
if (totalQuantity >= 30) {
const bulkDiscountTotal = subtotal * 0.75; // 25% 할인
if (bulkDiscountTotal < finalTotal) {
finalTotal = bulkDiscountTotal;
discountRate = 0.25;
}
}

// 화요일 추가 할인
if (new Date().getDay() === 2) {
const tuesdayDiscount = 0.1;
discountRate = Math.max(discountRate, tuesdayDiscount);
finalTotal = subtotal * (1 - discountRate);
}

const points = Math.floor(finalTotal / 1000);

return {
total: Math.round(finalTotal),
points,
discountRate,
};
};

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

오 주석이 적절한 곳에 있어서 읽기 좋네요!👍

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

오 주석이 적절한 곳에 있어서 읽기 좋네요!👍

저도 그렇게 느꼈어요.

Copy link

@wonjung-jang wonjung-jang left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

와 도운님 기본 과제에서 정말 리액트 도입 직전까지 작업하신 것 같아요!👍 매번 느끼는 거지만 도운님 정말 잘 하시네요!👍

Copy link

@junman95 junman95 left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

많이 배우고 갑니다.

const element = document.createElement('div');
element.className = 'flex justify-between items-center mb-2';
element.id = product.id;
const { updateItemQuantity, removeFromCart } = useCart();

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

리액트 커스텀 훅으로 교체되기 좋은 패턴인 것 같습니다.

도운님 코드는 항상 감동이 있네요..

<button class="quantity-change bg-blue-500 text-white px-2 py-1 rounded mr-1" data-product-id=${product.id} data-change="1">+</button>
<button class="remove-item bg-red-500 text-white px-2 py-1 rounded">삭제</button>
</div>
`;

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

혹시 여기만 innerHtml형식으로 작업하신 이유가 뭘까요?(시간 이슈..?)

Comment on lines +3 to +57
export function CartSummary() {
const element = document.createElement('div');
element.id = 'cart-total';
element.className = 'text-xl font-bold my-4';

const { getCart } = useCart();

const calSummary = () => {
const cart = getCart();
let subtotal = 0;
let totalWithQuantityDiscount = 0;
let totalQuantity = 0;

// 각 상품의 수량별 할인 계산
cart.forEach(({ product, quantity }) => {
const itemTotal = product.price * quantity;
subtotal += itemTotal;
totalQuantity += quantity;

if (quantity >= 10) {
totalWithQuantityDiscount += itemTotal * (1 - product.discountRate);
} else {
totalWithQuantityDiscount += itemTotal;
}
});

// 최종 금액 계산 (수량 할인 vs 대량 구매 할인)
let finalTotal = totalWithQuantityDiscount;
let discountRate = (subtotal - totalWithQuantityDiscount) / subtotal || 0;

// 30개 이상 구매시 25% 할인과 비교
if (totalQuantity >= 30) {
const bulkDiscountTotal = subtotal * 0.75; // 25% 할인
if (bulkDiscountTotal < finalTotal) {
finalTotal = bulkDiscountTotal;
discountRate = 0.25;
}
}

// 화요일 추가 할인
if (new Date().getDay() === 2) {
const tuesdayDiscount = 0.1;
discountRate = Math.max(discountRate, tuesdayDiscount);
finalTotal = subtotal * (1 - discountRate);
}

const points = Math.floor(finalTotal / 1000);

return {
total: Math.round(finalTotal),
points,
discountRate,
};
};

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

오 주석이 적절한 곳에 있어서 읽기 좋네요!👍

저도 그렇게 느꼈어요.

element.innerHTML = products
.filter((product) => product.quantity === 0)
.map((product) => `<span>${product.name}: 품절</span>`)
.join('');

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

체이닝 메소드를 잘 쓰셨네요.

getMessage: (product) => `${product.name}은(는) 어떠세요? 지금 구매하시면 5% 추가 할인!`,
priceRate: 0.05,
},
};

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

속성 네이밍이나 객체 분리가 너무 좋은 것 같아요.
객체 변수명은 Config가 들어가는 이유가 무엇일까요??

let instance = null;

export function useCart() {
if (instance) return instance;

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

싱글톤으로 상태공유를 구현하신 건가요?

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment
Labels
None yet
Projects
None yet
Development

Successfully merging this pull request may close these issues.

3 participants