我想知道你是否可以帮我解决这个问题。我想从Redux状态删除一个项目。我已将用户通过action.data
点击的项目的ID传递到reducer中。
我想知道如何将action.data
与Redux状态中的一个ID匹配,然后从阵列中删除该对象?我也想知道在删除单个对象后设置新状态的最佳方法是什么?
请参阅以下代码:
export const commentList = (state, action) => {
switch (action.type) {
case 'ADD_COMMENT':
let newComment = { comment: action.data, id: +new Date };
return state.concat([newComment]);
case 'DELETE_COMMENT':
let commentId = action.data;
default:
return state || [];
}
}
答案 0 :(得分:58)
只需过滤评论:
case 'DELETE_COMMENT':
const commentId = action.data;
return state.filter(comment => comment.id !== commentId);
这样您就不会改变原始的state
数组,但返回一个没有元素的新数组,该数组的标识为commentId
。
更简洁:
case 'DELETE_COMMENT':
return state.filter(({ id }) => id !== action.data);
答案 1 :(得分:1)
您可以使用Object.assign(target, ...sources)
并传播与动作ID不匹配的所有项目
case "REMOVE_ITEM": {
return Object.assign({}, state, {
items: [...state.items.filter(item => item.id !== action.id)],
});
}
答案 2 :(得分:1)
对于任何将状态设置为Object而不是Array的人:
我使用reduce()而不是filter()来显示另一种实现。但是,当然,这取决于您如何选择实施。
/*
//Implementation of the actions used:
export const addArticle = payload => {
return { type: ADD_ARTICLE, payload };
};
export const deleteArticle = id => {
return { type: DELETE_ARTICLE, id}
*/
export const commentList = (state, action) => {
switch (action.type) {
case ADD_ARTICLE:
return {
...state,
articles: [...state.articles, action.payload]
};
case DELETE_ARTICLE:
return {
...state,
articles: state.articles.reduce((accum, curr) => {
if (curr.id !== action.id) {
return {...accum, curr};
}
return accum;
}, {}),
}
答案 3 :(得分:0)
您可以使用尝试这种方法。
case "REMOVE_ITEM":
return {
...state,
comment: [state.comments.filter(comment => comment.id !== action.id)]
}
答案 4 :(得分:0)
在我的情况下,过滤器不使用()和{},并且状态已更新
case 'DELETE_COMMENT':
return state.filter( id => id !== action.data);