服务端开发
服务端开发
服务端开发
基础服务
express-graphql
最简单的构建
import express from "express";
import graphqlHTTP from "express-graphql";
import { buildSchema } from "graphql";
// Construct a schema, using GraphQL schema language
const schema = buildSchema(`
type Query {
hello: String
}
`);
// The root provides a resolver function for each API endpoint
const root = {
hello: () => "Hello world!"
};
const app = express();
app.use(
"/graphql",
graphqlHTTP({
schema,
rootValue: root,
graphiql: true
})
);
// http://localhost:4000/graphql 进入 GraphiQL 交互查询工具
app.listen(4000);
Prisma 是非常不错的全栈架构,开发者只需要定义好数据结构,
Apollo Server
const schema = `
type Todo {
...
}
type TodoList {
todos: [Todo]
}
type Query {
todoList: Todo List
}
type Mutation {
addTodo(
text: String!
): Todo,
toggleTodo(
id: String!
): Todo
}
type Subscription {
todoUpdated: Todo
}
schema {
query: Query
mutation: Mutation
subscription: Subscription
}
`;
const resolvers = {
TodoList: {
todos() {
return todos;
}
},
Query: {
todoList() {
return true;
}
},
Mutation: {
addTodo(_, { text }) {
...
},
toggleTodo(_, { id }, { ctx }) {
...
}
},
Subscription: {
todoUpdated: {
...
}
}
};
const executableSchema = makeExecutableSchema({
typeDefs: schema,
resolvers
});
router.post(
'/graphql',
graphqlKoa(ctx => ({
schema: executableSchema,
context: { ctx }
}))
)
数据模型层
select * from user left join asset on user.asset_id = asset.id;
而
type User {
asset: Asset
}
此时对于
const user = getUserById(userId);
const asset = getAssetById(user.assetId);
user.asset = asset;
显而易见地,这种方式可能导致单次请求处理中对于某个表的多次查询,dataloader 即是
const DataLoader = require("dataloader");
const userLoader = new DataLoader(keys => myBatchGetUsers(keys));
当我们在业务逻辑中进行多次查询时,譬如:
userLoader
.load(1)
.then(user => userLoader.load(user.invitedByID))
.then(invitedBy => console.log(`User 1 was invited by ${invitedBy}`));
// Elsewhere in your application
userLoader
.load(2)
.then(user => userLoader.load(user.lastInvitedID))
.then(lastInvited => console.log(`User 2 last invited ${lastInvited}`));
// 也可以同时加载多个数据
const [a, b] = await myLoader.loadMany(["a", "b"]);
const userLoader = new DataLoader(...)
const promise1A = userLoader.load(1)
const promise1B = userLoader.load(1)
assert(promise1A === promise1B)
分页与搜索
GitHub GraphQL API,可以在 Explorer
query {
viewer {
login
name
starredRepositories(first: 3, after: "put_in_a_cursor_value_here") {
edges {
cursor
node {
id
name
primaryLanguage {
id
name
color
}
}
}
}
}
}