돌연변이란 무엇인가요?
Mutation은 기존 값을 직접 수정하는 것을 말합니다. JavaScript에서는 기본적으로 객체와 배열을 변경(변형)할 수 있습니다.
<code class="language-javascript">// 变异示例 const user = { name: 'Alice' }; user.name = 'Bob'; // 变异对象属性 const numbers = [1, 2, 3]; numbers.push(4); // 变异数组 numbers[0] = 0; // 变异数组元素</code>
이러한 돌연변이는 특히 대규모 애플리케이션에서 찾기 어려운 버그를 생성할 수 있습니다.
왜 돌연변이를 피해야 합니까?
간단한 예를 살펴보겠습니다.
<code class="language-javascript">// 使用变异的代码 const cart = { items: [], total: 0 }; function addProduct(cart, product) { cart.items.push(product); cart.total += product.price; } // 使用示例 const myCart = cart; addProduct(myCart, { id: 1, name: "Laptop", price: 999 }); // 直接更改 myCart console.log(cart === myCart); // true,两个变量指向同一个对象</code>
돌연변이 문제:
해결책: 불변성 프로그래밍
불변성 방법은 각 변경에 대해 객체의 새 복사본을 만듭니다.
<code class="language-javascript">// 不变性代码 function addProduct(cart, product) { // 创建一个新对象,而不更改原始对象 return { items: [...cart.items, product], total: cart.total + product.price }; } // 使用示例 const initialCart = { items: [], total: 0 }; const newCart = addProduct(initialCart, { id: 1, name: "Laptop", price: 999 }); console.log(initialCart); // { items: [], total: 0 } console.log(newCart); // { items: [{...}], total: 999 } console.log(initialCart === newCart); // false,它们是不同的对象</code>
이 접근 방식의 이점:
최신 불변성 도구
Immer를 사용하면 일반 JavaScript 코드처럼 보이지만 결과는 변하지 않는 코드를 작성할 수 있습니다.
<code class="language-javascript">import produce from 'immer'; const initialCart = { items: [], total: 0, customer: { name: 'Alice', preferences: { notifications: true } } }; // 不使用 Immer(冗长的方法) const updatedCart = { ...initialCart, items: [...initialCart.items, { id: 1, name: "Laptop", price: 999 }], total: initialCart.total + 999, customer: { ...initialCart.customer, preferences: { ...initialCart.customer.preferences, notifications: false } } }; // 使用 Immer(简单的方法) const updatedCartImmer = produce(initialCart, draft => { draft.items.push({ id: 1, name: "Laptop", price: 999 }); draft.total += 999; draft.customer.preferences.notifications = false; });</code>
Immer의 장점:
Immutable.js는 불변성을 위해 설계된 데이터 구조를 제공합니다.
<code class="language-javascript">import { Map, List } from 'immutable'; // 创建不变的数据结构 const cartState = Map({ items: List([]), total: 0 }); // 添加一个项目 const newCart = cartState .updateIn( ['items'], items => items.push(Map({ id: 1, name: "Laptop", price: 999 })) ) .update('total', total => total + 999); // Immutable.js 方法始终返回新实例 console.log(cartState.getIn(['items']).size); // 0 console.log(newCart.getIn(['items']).size); // 1 // 轻松比较 console.log(cartState.equals(newCart)); // false // 转换回常规 JavaScript const cartJS = newCart.toJS();</code>
Immutable.js의 장점:
ESLint의 불변 구성
ESLint는 특정 규칙을 통해 불변 코딩 관행을 시행하는 데 도움이 될 수 있습니다.
<code class="language-javascript">// .eslintrc.js module.exports = { plugins: ['functional'], rules: { 'functional/immutable-data': 'error', 'functional/no-let': 'error', 'functional/prefer-readonly-type': 'error' } };</code>
이러한 규칙은 다음과 같습니다.
TypeScript와 불변성
TypeScript는 유형 시스템을 통해 불변성을 강화하는 데 도움이 됩니다.
<code class="language-typescript">// 购物车的不变类型 type Product = { readonly id: number; readonly name: string; readonly price: number; }; type Cart = { readonly items: ReadonlyArray<Product>; readonly total: number; }; // TypeScript 防止变异 const cart: Cart = { items: [], total: 0 }; // 编译错误:items 是只读的 cart.items.push({ id: 1, name: "Laptop", price: 999 }); // 函数必须创建一个新的购物车 function addProduct(cart: Cart, product: Product): Cart { return { items: [...cart.items, product], total: cart.total + product.price }; } // TypeScript 确保原始对象不会更改 const newCart = addProduct(cart, { id: 1, name: "Laptop", price: 999 });</code>
TypeScript에 대한 읽기 전용 수정자:
이러한 유형은 컴파일 타임에 확인되므로 오류를 조기에 발견하는 데 도움이 됩니다.
결론
불변성은 코드를 더욱 예측 가능하고 유지 관리 가능하게 만듭니다. 익숙해지는 데 시간이 좀 걸리지만 안정성과 유지 관리 용이성의 이점은 그만한 가치가 있습니다.
위 내용은 클린 코드: JavaScript 불변성, 핵심 개념 및 도구의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!