Использование обещаний с мутационными запросами в GraphQL / Apollo?

#graphql #apollo #apollostack

#graphql #apollo #apollostack

Вопрос:

Я запускаю следующий мутационный запрос в http://localhost:3010/graphiql:

Мутация

 mutation($fromID: String!, $toID: String!, $msgText: String!){
  createIM(fromID: $fromID, toID: $toID, msgText: $msgText){
    fromID
    toID
    msgText
  }
}
  

Переменные запроса

 {
  "fromID": "1",
  "toID": "2",
  "msgText": "Test from GraphIQL"
}
  

У меня есть этот код мутации в моих преобразователях:

 Mutation: {
    createIM(root, args, context) {
        return Promise.resolve()
            .then(() => {
                console.log('checkpoint #1');
                const temp = connectors.IM.create(args);
                return temp;
            })
            .then((x) => {
                //console.log(x);

                return x;
            })
            .then((args) =>{
                console.log(args);
                console.log('checkpoint #2');
                const temp = connectors.IM.findAll({ where: args }).then((res) => res.map((item) => item.dataValues))
                    return temp;
                }
            )
            .then(comment => {
                // publish subscription notification
                console.log('checkpoint #3');
                console.log(comment);
                pubsub.publish('IMAdded', comment);
                return comment;
            })
            .catch((err)=>{console.log(err);});
    },
},
  

Он успешно создает новую запись в моей базе данных postgres. console.log(comment) В последнем then блоке (контрольная точка # 3) регистрируется следующее:

  [ { id: 1,
     fromID: '1',
     toID: '2',
     msgText: 'testing 123 from graphiql',
     createdAt: Thu Sep 15 2016 12:42:18 GMT-0700 (PDT),
     updatedAt: Thu Sep 15 2016 12:42:18 GMT-0700 (PDT) },
   { id: 2,
     fromID: '1',
     toID: '2',
     msgText: 'test from graphiql',
     createdAt: Sat Sep 17 2016 22:50:43 GMT-0700 (PDT),
     updatedAt: Sat Sep 17 2016 22:50:43 GMT-0700 (PDT) },
   { id: 3,
     fromID: 'DsmkoaYPeAumREsqC',
     toID: '572bddac4ecbbac0ffe37fd4',
     msgText: 'testing 123 from ui',
     createdAt: Sun Sep 18 2016 10:57:12 GMT-0700 (PDT),
     updatedAt: Sun Sep 18 2016 10:57:12 GMT-0700 (PDT) },
[.....]
   { id: 32,
     fromID: '1',
     toID: '2',
     msgText: 'Test from GraphIQL',
     createdAt: Wed Oct 12 2016 16:34:41 GMT-0700 (PDT),
     updatedAt: Wed Oct 12 2016 16:34:41 GMT-0700 (PDT) } ]
  

Но GraphiQL дает мне следующий ответ:

 {
  "data": {
    "createIM": {
      "fromID": null,
      "toID": null,
      "msgText": null
    }
  }
}
  

Нужно ли мне делать что-то другое в моем последнем .then блоке?

Комментарии:

1. Вы пытаетесь вернуть 32 комментария или только один? Я подозреваю, что GraphQL ищет один объект комментариев, а не их массив?

2. Будет ли считаться правильным, чтобы мой последний then блок возвращал самую последнюю запись, или это будет потенциальной ошибкой из-за условий гонки?

3. Понял! Блок then кода на контрольной точке # 2 был ненужным. Полученный параметр на самом деле был только что добавленной записью базы данных. GraphiQL теперь отображает правильный результат!

4. @VikR хотел бы увидеть ваш ответ, если он у вас работает!

Ответ №1:

По запросу Патрика Скотта, вот рабочий код, с благодарностью @stubailo за его помощь:

 Mutation: {
    createIM(root, args, context) {
        return Promise.resolve()
            .then(() => {
                console.log('cp #1');
                const temp = connectors.IM.create(args);
                return temp;
            })
            .then(comment => {
                // publish subscription notification
                console.log('cp #2');
                console.log(comment);
                pubsub.publish('IMAdded', comment);
                return comment;
            })
            .catch((err)=>{
                console.log(err);
            });
    },
},