API 逻辑的差异
GitHub 提供两种 API:REST API 和 GraphQL API。有关 GitHub API 的更多信息,请参阅“比较 GitHub 的 REST API 和 GraphQL API”。
从 REST 迁移到 GraphQL 代表着 API 逻辑的重大转变。REST 作为一种风格与 GraphQL 作为一种规范之间的差异使得逐一用 GraphQL API 查询替换 REST API 调用变得困难且通常不可取。我们在下面提供了具体的迁移示例。
要将代码从REST API迁移到 GraphQL API
- 查看GraphQL 规范
- 查看 GitHub 的GraphQL 模式
- 考虑您当前拥有的任何现有代码如何与 GitHub REST API 交互
- 使用全局节点 ID来引用不同 API 版本之间的对象
GraphQL 的主要优势包括:
以下是一些示例。
示例:获取所需数据且仅此而已
单个 REST API 调用检索组织成员列表
curl -v https://api.github.com/orgs/:org/members
如果您的目标是仅检索成员姓名和头像链接,则 REST 负载包含过多的数据。但是,GraphQL 查询仅返回您指定的内容
query {
organization(login:"github") {
membersWithRole(first: 100) {
edges {
node {
name
avatarUrl
}
}
}
}
}
考虑另一个示例:检索拉取请求列表并检查每个拉取请求是否可合并。对 REST API 的调用会检索拉取请求及其摘要表示列表
curl -v https://api.github.com/repos/:owner/:repo/pulls
确定拉取请求是否可合并需要分别为其详细表示(大型有效负载)检索每个拉取请求,并检查其mergeable
属性是否为 true 或 false
curl -v https://api.github.com/repos/:owner/:repo/pulls/:number
使用 GraphQL,您可以仅检索每个拉取请求的number
和mergeable
属性
query {
repository(owner:"octocat", name:"Hello-World") {
pullRequests(last: 10) {
edges {
node {
number
mergeable
}
}
}
}
}
示例:嵌套
使用嵌套字段进行查询使您可以用更少的 GraphQL 查询替换多个 REST 调用。例如,使用**REST API**检索拉取请求及其提交、非审查评论和审查需要四个单独的调用
curl -v https://api.github.com/repos/:owner/:repo/pulls/:number
curl -v https://api.github.com/repos/:owner/:repo/pulls/:number/commits
curl -v https://api.github.com/repos/:owner/:repo/issues/:number/comments
curl -v https://api.github.com/repos/:owner/:repo/pulls/:number/reviews
使用**GraphQL API**,您可以使用嵌套字段通过单个查询检索数据
{
repository(owner: "octocat", name: "Hello-World") {
pullRequest(number: 1) {
commits(first: 10) {
edges {
node {
commit {
oid
message
}
}
}
}
comments(first: 10) {
edges {
node {
body
author {
login
}
}
}
}
reviews(first: 10) {
edges {
node {
state
}
}
}
}
}
}
您还可以通过用变量替换拉取请求编号来扩展此查询的功能。
示例:强类型
GraphQL 模式是强类型的,这使得数据处理更安全。
考虑使用 GraphQL 更改向问题或拉取请求添加注释的示例,并错误地为clientMutationId
的值指定整数而不是字符串
mutation {
addComment(input:{clientMutationId: 1234, subjectId: "MDA6SXNzdWUyMjcyMDA2MTT=", body: "Looks good to me!"}) {
clientMutationId
commentEdge {
node {
body
repository {
id
name
nameWithOwner
}
issue {
number
}
}
}
}
}
执行此查询将返回指定操作预期类型的错误
{
"data": null,
"errors": [
{
"message": "Argument 'input' on Field 'addComment' has an invalid value. Expected type 'AddCommentInput!'.",
"locations": [
{
"line": 3,
"column": 3
}
]
},
{
"message": "Argument 'clientMutationId' on InputObject 'AddCommentInput' has an invalid value. Expected type 'String'.",
"locations": [
{
"line": 3,
"column": 20
}
]
}
]
}
将1234
用引号括起来会将值从整数转换为字符串,即预期类型
mutation {
addComment(input:{clientMutationId: "1234", subjectId: "MDA6SXNzdWUyMjcyMDA2MTT=", body: "Looks good to me!"}) {
clientMutationId
commentEdge {
node {
body
repository {
id
name
nameWithOwner
}
issue {
number
}
}
}
}
}