我正在做反应,所以我需要更新一个会触发状态变化的字段。
我有这个有效载荷(只显示1,但它是一个很多的数组)
[
{
id: 1,
name: "Fridge2",
selected: true,
sharingId: 'ae9b9566-3b5c-4772-a0a1-07ed8b354b8f',
sharingWith: ["jim@hotmail.com", "jim2@hotmail.com"],
storageItems: [
{
id: 'ae9b9564-3b5c-2711-a421-07ed8b354b8f',
name: 'Chicken Breats',
qty: 10,
expiresOn: '3',
category: 'Meat',
categoryId: 'BDEC0494-B16E-411B-8E32-A64A00E943F8',
unitType: 'Pieces',
unitTypeId: '63CDB076-C20D-4DC5-A181-A64A00E94409'
},
{
id: 'ae9b9566-3b5c-2711-a4a1-07ed8b354b8f',
name: 'Chicken Breats2',
qty: 10,
expiresOn: '0',
category: 'Meat',
categoryId: 'BDEC0494-B16E-411B-8E32-A64A00E943F8',
unitType: 'Pieces',
unitTypeId: '63CDB076-C20D-4DC5-A181-A64A00E94409'
},
{
id: 'ae9b9566-3b5c-2712-a0a1-07ed8b354b8f',
name: 'Chicken Breats3',
qty: 10,
expiresOn: '4',
category: 'Meat',
categoryId: 'BDEC0494-B16E-411B-8E32-A64A00E943F8',
unitType: 'Pieces',
unitTypeId: '63CDB076-C20D-4DC5-A181-A64A00E94409'
}
]
}
]
我想找到与ID'ae9b9564-3b5c-2711-a421-07ed8b354b8f'匹配的storageItem(数组中的第一个)
然后我想把它拿出来更新一个字段(比如数量),把它贴回去并发生状态变化。
这是我非常糟糕的第一次尝试。它不起作用
case actions.STORAGE_ITEM_USED: {
var foundItem = state.selectedStorage.storageItems.filter(i => i.id == action.payload);
var newQty = foundItem[0].qty - 1;
foundItem[0].qty = newQty;
var nonChangedStorageItem = state.selectedStorage.storageItems.filter(i => i.id != action.payload);
var allItems = nonChangedStorageItem.concat(foundItem);
state.selectedStorage.storageItems = allItems;
return {
selectedStorage: state.selectedStorage,
}
}
编辑
我现在有这个,但我看到了一个新的可能的答案,我将结帐
var newSelectedStorage = Object.assign({} , state.selectedStorage);
var foundItem = newSelectedStorage.storageItems.filter(x => x.id == action.payload);
foundItem[0].qty = foundItem[0].qty - 1;
var nonChangedItems = newSelectedStorage.storageItems.filter(x => x.id != action.payload);
newSelectedStorage.storageItems = nonChangedItems.concat(foundItem);
webpack.config.js
module.exports = {
devtool: 'inline-source-map',
entry: "./app/index.js",
output: {
path: __dirname + '/dist',
filename: "bundle.js"
},
devServer: {
contentBase: "./app",
inline: true,
port: 3333
},
module: {
loaders: [
{
test: /\.jsx?$/,
loader: 'babel-loader',
exclude: /node_modules/,
query: {
presets: ['es2015', 'react']
}
},
{
test: /\.scss$/,
loaders: ['style', 'css', 'sass']
},
{
test: /\.woff($|\?)|\.woff2($|\?)|\.ttf($|\?)|\.eot($|\?)|\.svg($|\?)/,
loader: 'url-loader'
}
]
},
externals: {
jquery: 'jQuery'
},
}
答案 0 :(得分:1)
根据它的外观,您试图减少qty
中任何匹配对象的state.selectedStorage.storageItems
属性。
由于Redux需要一个全新的对象,我们可以使用ES6的对象扩展运算符来返回一个已经填充了大部分值的新对象。
case actions.STORAGE_ITEM_USED:
return {
...state,
selectedStorage: state.selectedStorage.storageItems.map(i => {
if (i.id != action.payload) return i;
return {
...i,
qty: i.qty - 1
}
})
}
我无法测试这是否有效,但我们的想法是我们返回一个新对象,复制现有的状态对象,然后用新数组覆盖selectedStorage
,其中只有{{1}的项目匹配id
' s action.payload
属性会减少。