ASP.NET Core中使用GraphQL
前言
你是否已經厭倦了REST風格的API? 讓我們來聊一下GraphQL。 GraphQL提供了一種宣告式的方式從伺服器拉取資料。你可以從GraphQL官網中瞭解到GraphQL的所有優點。在這一系列部落格中,我將展示如何在ASP.NET Core中整合GraphQL, 並使用GraphQL作為你的API查詢語言。
使用GraphQL的宣告式查詢,你可以自定義API返回的屬性列表。這與REST API中每個API只返回固定欄位不同。
安裝GraphQL
為了在C#中使用GraphQL, GraphQL社群中提供了一個開源元件graphql-dotnet
。本系列部落格中我們都將使用這個元件。
首先我們建立一個空的ASP.NET Core App
dotnet new web --name chatper1
然後我們新增對graphql-dotnet
庫的引用
dotnet add package GraphQL
建立第一個Query
下面我們來建立一個query
類, 我們將它命名為HelloWorldQuery
。graphql-dotnet
中,查詢類都需要繼承ObjectGraphType
類,所以HelloWorldQuery
的程式碼如下
using GraphQL.Types; public class HelloWorldQuery : ObjectGraphType { public HelloWorldQuery() { Field<StringGraphType>( name: "hello", resolve: context => "world" ); } }
這裡你可能注意到我們使用了一個泛型方法Field
,並傳遞了一個GraphQL的字串型別StringGraphType
來定義了一個hello
欄位, resolve
引數是一個Func委託,在其中定義瞭如何返回當前欄位的值,這裡我們是直接返回了一個字串hello。
查詢類中的返回欄位都是定義在查詢類的建構函式中的
現在我們一個有了一個查詢類,下一步我們需要使用這個查詢類構建一個結構(schema)。
在Startup.cs
檔案的Configure
方法中,使用以下程式碼替換原有程式碼
var schema = new Schema { Query = new HelloWorldQuery() }; app.Run(async (context) => { var result = await new DocumentExecuter() .ExecuteAsync(doc => { doc.Schema = schema; doc.Query = @" query { hello } "; }).ConfigureAwait(false); var json = new DocumentWriter(indent: true) .Write(result) await context.Response.WriteAsync(json); });
DocumentExecuter
類的ExecuteAsync
方法中我們定義Action委託,並通過這個委託設定了一個ExecutionOptions
物件。這個物件初始化了我們定義的結構(schema), 並執行了我們定義的查詢字串。doc.Query
定義了一個查詢字串- 最終查詢執行的結果會通過
DocumentWriter
類例項的Write
被轉換成一個JSON字串
下面我們來執行一下這個程式
dotnet run
你將在瀏覽器中看到以下結果
{
"data": {
"hello": "world"
}
}
從以上的例子中,你會發現使用GraphQL並不像想象中那麼難。下面我們可以在HelloWorldQuery
類的建構函式中再新增一個欄位howdy
, 並指定這個欄位會返回一個字串universe
。
Field<StringGraphType>(
name: "howdy",
resolve: context => "universe"
);
然後我們繼續修改Startup
類中的Configure
方法, 修改我們之前定義的query
var schema = new Schema {
Query = new HelloWorldQuery()
};
app.Run(async (context) =>
{
var result = await new DocumentExecuter()
.ExecuteAsync(doc =>
{
doc.Schema = schema;
doc.Query = @"
query {
hello
howdy
}
";
}).ConfigureAwait(false);
var json = new DocumentWriter(indent: true)
.Write(result)
await context.Response.WriteAsync(json);
});
重新啟動專案後,結果如下
{
"data": {
"hello": "world",
"howdy": "universe"
}
}
總結
本篇我們只是接觸了GraphQL的一些皮毛,你可能會對GraphQL宣告式行為有很多問題,沒有關係,後續部落格中,我們慢慢解開GraphQL的面紗。下一篇我們將介紹如何建立一箇中間件(Middleware)