假设我有一个这样的结构,它是从 API 获取并在我的实体上使用“normalizr”的结果:
entities: {
users:{
1: {
name: 'John',
posts: [ 1, 4 ]
}
},
posts: {
1: {
name: 'First Post',
},
4: {
name: 'Second Post',
}
}
}
现在我有一个按用户过滤帖子的方法,它基本上可以做到这一点:
let filteredPosts = {};
entities.users.posts.forEach(key => {
if(posts.hasOwnProperty(key))
filteredPosts[key] = posts[key]
});
还有一个页面显示来自该用户的帖子,例如:
render() {
return(
<div>
{Object.keys(filteredPosts).map(key => {
return (
<div>{filteredPosts[key].name}</div>
);
})}
</div>
)
}
我的实体减速器非常简单:
import { merge } from 'lodash';
...
function entities(state = { users: {}, posts: {} }, action) {
if (action.response && action.response.entities) {
return merge({}, state, action.response.entities);
}
return state;
}
现在,如果我向 API 发出请求为该用户添加帖子,返回新创建的帖子记录,该记录将自动添加到我的实体上的帖子中。
我将如何处理更新用户以反映该更改,以便用户现在有 3 个帖子,数组中有新的帖子 ID?
我应该创建一个减速器并听取帖子创建操作,然后state.entities.users.posts
在那里更新吗?重新获取实体似乎不是一种选择。最好的方法是什么?
谢谢
更新:
这是我现在必须使用的解决方案,以保持数据一致。我修改了我的回复以说明创建的帖子 ID。我知道这可以分解为多个减速器,但我仍然想知道是否有更好和更直接的方法,我不必为每个嵌套实体都这样做。
function entities(state = {}, action) {
...
if(action.type === 'POST_ADD_SUCCESS') {
// Get the user id from the created post
let userId = response.entities.posts[response.result].userId;
// Add the user with all his posts to the response
response.entities.users = {
[userId]: {
posts: [...state.users[userId].posts, response.result]
}
}
}
...
// Merge normally
return merge({}, state, response.entities);
}