https://launchpad.graphql.com/9qvqz3v5r
这是我的示例graphQL Schema。我正在尝试使用枚举类型。如何从后端获取枚举值并将其赋予模式?
// Construct a schema, using GraphQL schema language
const typeDefs = `
type User {
userId: Int
firstName: String
lastName: String
pincode:String
state:String
country:String
}
type Query {
hello: String
user: User
}
type CreateUserLoad {
user: User
}
enum Role {
writer
reader
author
admin
superAdmin
}
type Mutation{
createUser(firstName: String, lastName: String, role: Role): User
}
`;
我想将动态变量中的枚举角色值填充为
const roleData = ['writer','reader','author','admin','superAdmin'];
任何人都可以帮助我吗?
答案 0 :(得分:1)
您可以简单地使用字符串插值:
// Construct a schema, using GraphQL schema language
const typeDefs = `
type User {
userId: Int
firstName: String
lastName: String
pincode:String
state:String
country:String
}
type Query {
hello: String
user: User
}
type CreateUserLoad {
user: User
}
enum Role { ${roles.join(' ')} }
type Mutation{
createUser(firstName: String, lastName: String, role: Role): User
}
`;
事实上,在每个传入的grahpql查询中,您必须将解析后的模式传递给graphql服务器,因此您甚至可以为每个请求更改它。在这种情况下,最好更改模式解析返回的对象表示。
要直接创建枚举类型,假设您有一个值userRoles
数组且需要RolesEnum
类型,那么您可以像这样创建它:
const roleValues = {}
for (const value of userRoles) {
roleValues[value] = {value}
}
const RolesEnum = new GraphQLEnumType({
name: 'UserRoles',
values: roleValues,
})
然后,您可以将其直接指定为架构中的类型。
答案 1 :(得分:0)
如果您的枚举值是从database
或任何其他后端来源加载的,或者枚举列表是dynamic
,那么您就无法static
模式中的枚举定义。
动态设置枚举的最大问题是您的架构应该是后端和前端之间的契约,并且不应该被更改。
type Mutation {
createUser(firstName: String, lastName: String, role: String): User
}
这里唯一的区别是你的解析器必须检查角色是否存在,这是graphql以前在你使用枚举时为你做的。
如果角色用于很多查询/突变,你可以定义一个scalar Role
,并且在已解析的标量中,你可以检查角色是否存在,如果它没有,则只是抛出一个错误。吨。
在这种情况下,您的变异看起来与动态enum Role
的变异相同,但您根本不需要更改模式。
type Mutation {
createUser(firstName: String, lastName: String, role: Role): User
}
答案 2 :(得分:0)
使用字符串插值将动态枚举与文档字符串一起添加。
示例:我有一个国家/地区列表及其ISO2代码
const countryData = [
{name:'India', code: 'IN'},
{name:'Afghanistan', code: 'AF'},
{name:'Algeria', code: 'DZ'},
{name: 'Ireland', code: 'IE'
];
const countryCodes = countryData.flatMap(country => [
`"${country.name}"`,
country.code
]);
不使用Array.join()
enum CountryCode { ${countryCodes} }