2

我正在学习 graphql 和 prisma,我遇到了一个关于 prisma 订阅的问题。

每当有项目创建或更新时,我想返回一个项目列表。所以这是我的代码不起作用。

方案.graphql

# import Item from "./generated/prisma.graphql"

type Subscription {
    todoItems: TodoItems
}

type TodoItems {
    items: [Item!]!
}

解析器

const Subscription = {
    todoItems: {
        subscribe: async (parent, args, context, info) => {
            const itemSubscription = await context.db.subscription.item({
                where: { mutation_in: ['CREATED', 'UPDATED'] },
            }, info);

            return itemSubscription;
        },
        resolve: async (payload, args, context, info) => {
            const items = await context.db.query.items({ type: 0, orderBy: 'updatedAt_DESC' }, info);
            return { items };
        },
    },
}

module.exports = {
    Subscription,
}

在graphql操场上,

subscription{
  todoItems{
    items{
      title
    }
  }
}

它给出了错误:

{
  "errors": [
    {
      "message": "Anonymous Subscription must select only one top level field.",
      "locations": [
        {
          "line": 2,
          "column": 3
        }
      ],
      "path": [
        "todoItems"
      ],
      "extensions": {
        "code": "INTERNAL_SERVER_ERROR",
        "exception": {
          "stacktrace": [
            "Error: Anonymous Subscription must select only one top level field.",
            "    at asErrorInstance (d:\\git\\inote\\node_modules\\graphql\\execution\\execute.js:489:43)",
            "    at <anonymous>",
            "    at process._tickCallback (internal/process/next_tick.js:118:7)"
          ]
        }
      }
    }
  ]
}

任何想法?

4

1 回答 1

2

Prisma 不支持订阅项目列表。相反,prisma 希望您订阅单项突变(“created”、“updated”、“deleted”)。如此处所述。

例如

subscription newTodos {
  todo(where: {
    mutation_in: [CREATED]
  }) {
    mutation
    node {
      title
    }
  }
}

要获得“完整列表”,您必须在订阅查询待办事项以避免丢失事件(竞争条件)。因此,您必须手动“同步”订阅和查询中的数据。

于 2018-11-19T09:52:28.657 回答