我通读了redux-actions
tutorial,对他们使用(我相信是)破坏性结构感到困惑。下面是一个示例(increment
和decrement
都是createAction
函数返回的函数)。
const { createAction, handleActions } = window.ReduxActions;
const reducer = handleActions(
{
[increment]: state => ({ ...state, counter: state.counter + 1 }),
[decrement]: state => ({ ...state, counter: state.counter - 1 })
},
defaultState
);
这是使用此方法的另一个示例:
const { createActions, handleActions, combineActions } = window.ReduxActions;
const reducer = handleActions(
{
[combineActions(increment, decrement)]: (
state,
{ payload: { amount } }
) => {
return { ...state, counter: state.counter + amount };
}
},
defaultState
);
有人可以解释这些行中发生的事情吗?简而言之,我只看到{[function]: () => ({})}
,但不了解它的作用。
答案 0 :(得分:5)
那的确是computed property name,但有一点曲折-函数用作键,而不是字符串。
在您记住可以将每个函数安全地转换为字符串之前,它可能看起来很混乱-结果是该函数的源代码。这就是这里发生的情况:
function x() {}
const obj = { [x]: 42 };
console.log( obj[x] ); // 42
console.log( obj[x.toString()] ); // 42, key is the same actually
console.log( Object.keys(obj) ); // ["function x() {}"]
这种方法的优点是您不需要创建其他键-如果您具有函数引用,则已经有一个。实际上,您甚至不需要引用-具有相同来源的函数就足够了:
const one = () => '';
const two = () => '';
console.log(one === two); // false apparently
const fatArrObj = { [one]: 42 }
fatArrObj[two]; // 42, take that Oxford scholars!!
缺点是每次将函数用作键时都会强制将其转换为字符串,这会降低性能。
要添加一些乐趣,这是有效的对象文字:
{
[null]: null, // access either with [null] or ['null']
[undefined]: undefined,
[{ toString: () => 42 }]: 42 // access with, you guess it, 42 (or '42')
}
...这可能是一本奇怪的面试问题书:
const increment = (() => { let x = 0; return () => ++x })();
const movingTarget = { toString: increment };
const weirdObjectLiteral = { [movingTarget]: 42 };
console.log( weirdObjectLiteral[movingTarget] ); // undefined