immutable.js 映射数组 (List) 并添加一个 属性
immutable.js map over array (List) and add a property
我刚从 immutable.js 开始,但我无法弄清楚如何在数组中的对象上设置新的 属性。我无法在文档中找到此类更改的任何示例。
我基本上只是想改变一下:
[{
gitInfo: {id: 8001, host: '', …},
module: {id: 24875, name: "blah", …}
}...]
对此:
[{
gitInfo: {id: 8001, host: '', …},
module: {id: 24875, name: "blah", isStared: true …}
}...]
所以 w/out immutable.js 我会这样:
function markModules(modules) {
modules.map( (module) => {
module.module.isStarred = false;
if (contains(this.props.stars, module.module.id)) {
module.module.isStarred = true;
}
})
return modules;
}
我假设我需要类似 set() with a List 的东西,但同样,我没有找到如何执行此操作的任何示例。
感谢您提供任何提示或示例链接。
你会像没有 Immutable.js (.map
) 那样做。
const data = Immutable.fromJS([{
gitInfo: {id: 8001, host: ''},
module: {id: 24875, name: "blah"}
}, {
gitInfo: {id: 6996, host: ''},
module: {id: 666, name: "wef"}
}]);
const transformed = data.map((x) => {
return x.get('module').set('isStarred', true);
})
transformed.toJS() === [
{
"id": 24875,
"name": "blah",
"isStarred": true
},
{
"id": 666,
"name": "wef",
"isStarred": true
}
]
如果您想在其中添加额外的逻辑:
function markModules(modules) {
return modules.map((module) => {
const isStarred = contains(this.props.stars, module.getIn(['module', 'id']));
return module.setIn(['module', 'isStarred'], isStarred);
})
}
关键是将您的 if 语句转换为 values/functions return 值而不是更新数据结构。
我刚从 immutable.js 开始,但我无法弄清楚如何在数组中的对象上设置新的 属性。我无法在文档中找到此类更改的任何示例。
我基本上只是想改变一下:
[{
gitInfo: {id: 8001, host: '', …},
module: {id: 24875, name: "blah", …}
}...]
对此:
[{
gitInfo: {id: 8001, host: '', …},
module: {id: 24875, name: "blah", isStared: true …}
}...]
所以 w/out immutable.js 我会这样:
function markModules(modules) {
modules.map( (module) => {
module.module.isStarred = false;
if (contains(this.props.stars, module.module.id)) {
module.module.isStarred = true;
}
})
return modules;
}
我假设我需要类似 set() with a List 的东西,但同样,我没有找到如何执行此操作的任何示例。
感谢您提供任何提示或示例链接。
你会像没有 Immutable.js (.map
) 那样做。
const data = Immutable.fromJS([{
gitInfo: {id: 8001, host: ''},
module: {id: 24875, name: "blah"}
}, {
gitInfo: {id: 6996, host: ''},
module: {id: 666, name: "wef"}
}]);
const transformed = data.map((x) => {
return x.get('module').set('isStarred', true);
})
transformed.toJS() === [
{
"id": 24875,
"name": "blah",
"isStarred": true
},
{
"id": 666,
"name": "wef",
"isStarred": true
}
]
如果您想在其中添加额外的逻辑:
function markModules(modules) {
return modules.map((module) => {
const isStarred = contains(this.props.stars, module.getIn(['module', 'id']));
return module.setIn(['module', 'isStarred'], isStarred);
})
}
关键是将您的 if 语句转换为 values/functions return 值而不是更新数据结构。