async-graphql/docs/zh-CN/src/define_interface.md
2020-09-29 16:06:10 +08:00

1.9 KiB
Raw Blame History

接口(Interface)

接口用于抽象具有特定字段集合的对象,Async-graphql内部实现实际上是一个包装器包装器转发接口上定义的Resolver函数到实现该接口的对象所以接口类型所包含的字段类型参数都必须和实现该接口的对象完全匹配。

Async-graphql自动实现了对象到接口的转换,把一个对象类型转换为接口类型只需要调用Into::into

接口字段的name属性表示转发的Resolver函数并且它将被转换为驼峰命名作为字段名称。 如果你需要自定义GraphQL接口字段名称可以同时使用namemethod属性。

  • namemethod属性同时存在时,name是GraphQL接口字段名method是Resolver函数名。
  • 当只有name存在时, 转换为驼峰命名后的name是GraphQL接口字段名name是Resolver函数名。
use async_graphql::*;

struct Circle {
    radius: f32,
}

#[Object]
impl Circle {
    async fn area(&self) -> f32 {
        std::f32::consts::PI * self.radius * self.radius
    }

    async fn scale(&self, s: f32) -> Shape {
        Circle { radius: self.radius * s }.into()
    }

    #[graphql(name = "short_description")]
    async fn short_description(&self) -> String {
        "Circle".to_string()
    }
}

struct Square {
    width: f32,
}

#[Object]
impl Square {
    async fn area(&self) -> f32 {
        self.width * self.width
    }

    async fn scale(&self, s: f32) -> Shape {
        Square { width: self.width * s }.into()
    }

    #[graphql(name = "short_description")]
    async fn short_description(&self) -> String {
        "Square".to_string()
    }
}

#[derive(Interface)]
#[graphql(
    field(name = "area", type = "f32"),
    field(name = "scale", type = "Shape", arg(name = "s", type = "f32"))
    field(name = "short_description", method = "short_description", type = "String")
)]
enum Shape {
    Circle(Circle),
    Square(Square),
}