我很难弄清楚如何通过继电器对普通阵列进行突变。
我正在尝试为帖子添加新标签。 在服务器端成功添加后,它不会在客户端更新。
我必须手动重新加载以查看新标记。
我尝试了REQUIRED_CHILDREN
和this.props.relay.forceFetch()
,但无济于事。
另外,尝试FIELDS_CHANGE
发帖。
GraphQL架构:
Post {
id: ID!
text: String!
tags: [Tag!]!
}
Tag {
id: ID!
name: String!
}
AddTagToPostMutation:
static fragments = {
post: () => Relay.QL`
fragment on Post {
id
tags
}
`,
}
getMutation() {
return Relay.QL`mutation { addTagToPost }`;
}
getVariables() {
return {
name: this.props.tag.name,
};
}
getFatQuery() {
return Relay.QL`
fragment on AddTagToPostMutationPayload {
tag {
id
name
}
post {
id
tags
}
}
`;
}
getConfigs() {
return [{
type: 'REQUIRED_CHILDREN',
children: [Relay.QL`
fragment on AddTagToPostMutationPayload {
tag {
id
name
}
post {
id
tags
}
}
`],
}];
}
getOptimisticResponse() {
return {
tag: {
name: this.props.tag.name,
},
post: {
id: this.props.post.id,
},
};
}
答案 0 :(得分:3)
正如freiksenet已经指出的那样,FIELDS_CHANGE
应该在getConfigs()
函数中使用。我采用了您的模式,实现了GraphQL类型,服务器端和客户端变异,以便为帖子添加标签。客户端成功更新。我将在答案中详细阐述解决方案。
首先,检查服务器端突变。我的实现使用graphql和graphql-relay库,如下所示。请注意,服务器端突变的输出是添加了标记的帖子。这篇文章的ID是作为输入提供的。
const AddTagToPostMutation = mutationWithClientMutationId({
name: 'AddTagToPost',
inputFields: {
postId: { type: new GraphQLNonNull(GraphQLID) },
name: { type: new GraphQLNonNull(GraphQLString) },
},
outputFields: {
post: {
type: PostType,
resolve: ({id}) => getPost(id),
},
},
mutateAndGetPayload: ({postId, name}) => {
const id = fromGlobalId(postId).id;
addTagToPost(id, name);
return {id};
},
});
使用graphiql,您可以测试您的突变:
mutation {
addTagToPost(input:{
postId: "UG9zdDpwb3N0Mg=="
name:"a new tag name"
clientMutationId:"123244"}) {
post {
id
text
tags {
id
name
}
}
}
}
我为根查询的所有帖子添加了一个字段posts
。使用graphiql,我首先检查帖子ID并使用上面的ID。
使用react-relay,客户端突变代码如下所示。传递一个prop post
,其ID在getVariables()
函数中用作输入变量。在getConfigs()
函数中,我们指定必须更新post
字段。有效负载字段post
与传递的prop post
之间的关联是使用FIELDS_CHANGE
突变类型建立的。
export default class AddTagToPostMutation extends Relay.Mutation {
getMutation() {
return Relay.QL`mutation{addTagToPost}`;
}
getVariables() {
return {
postId: this.props.post.id,
name: this.props.name,
};
}
getFatQuery() {
return Relay.QL`
fragment on AddTagToPostPayload {
post {
id,
tags {
id,
name,
}
}
}
`;
}
getConfigs() {
return [{
type: 'FIELDS_CHANGE',
fieldIDs: {
post: this.props.post.id,
},
}];
}
static fragments = {
post: () => Relay.QL`
fragment on Post {
id,
}
`,
};
}
客户端变异的调用如下:
Relay.Store.commitUpdate(new AddTagToPostMutation({
post: postToModify,
name: tagName,
}));
答案 1 :(得分:1)
我认为你应该在这种情况下使用FIELDS_CHANGE。
getConfigs() {
return [{
type: 'FIELDS_CHANGE',
fieldIDs: {post: this.props.post.id},
}];
}
getOptimisticResponse() {
return {
post: {
id: this.props.post.id,
tags: [...this.props.post.tags, this.props.tag],
},
};
}