我正在以编程方式构建GraphQL模式,并且需要Timestamp
标量类型; Unix Epoch timestamp标量类型:
const TimelineType = new GraphQLObjectType({
name: 'TimelineType',
fields: () => ({
date: { type: new GraphQLNonNull(GraphQLTimestamp) },
price: { type: new GraphQLNonNull(GraphQLFloat) },
sold: { type: new GraphQLNonNull(GraphQLInt) }
})
});
不幸的是,GraphQL.js 没有没有GraphQLTimestamp
或GraphQLDate
类型,因此上述方法不起作用。
我期望输入Date
,并将其转换为时间戳。我该如何创建自己的GraphQL时间戳类型?
答案 0 :(得分:1)
有一个NPM软件包,带有一组RFC 3339兼容的日期/时间GraphQL标量类型; graphql-iso-date。
但是对于初学者来说,您应该使用GraphQLScalarType
在GraphQL中以编程方式构建自己的标量类型:
/** Kind is an enum that describes the different kinds of AST nodes. */
import { Kind } from 'graphql/language';
import { GraphQLScalarType } from 'graphql';
const TimestampType = new GraphQLScalarType({
name: 'Timestamp',
serialize(date) {
return (date instanceof Date) ? date.getTime() : null
},
parseValue(date) {
try { return new Date(value); }
catch (error) { return null; }
},
parseLiteral(ast) {
if (ast.kind === Kind.INT) {
return new Date(parseInt(ast.value, 10));
}
else if (ast.kind === Kind.STRING) {
return this.parseValue(ast.value);
}
else {
return null;
}
},
});
但是,不是重新发明轮子,而是已经讨论了这个问题(#550),Pavel Lang提出了一个体面的GraphQLTimestamp.js解决方案(我的TimestampType
来自他的想法)