0

目前,我正在抛出RuntimeException's 来返回 GraphQL 验证错误。它工作得非常好,除了它在我的日志中抛出带有大量堆栈跟踪的可怕错误。

在这里你可以看到我正在检查提交的新用户注册突变,以确保密码相互匹配并且电子邮件地址尚未被使用。

在 GraphQL SPQR Spring Boot Starter 中执行此操作的正确方法是什么。

@GraphQLMutation (name="register")
public User register(@GraphQLArgument(name="firstname") String firstname, @GraphQLArgument(name="lastname") String lastname, @GraphQLArgument(name="email") String email, @GraphQLArgument(name="msisdn") String msisdn, @GraphQLArgument(name="password") String password, @GraphQLArgument (name="confirmPassword") String confirmPassword) {
    if (userRepo.findByEmail(email) != null) {
        throw new RuntimeException("User already exists");
    }

    if (!password.equals(confirmPassword)) {
        throw new RuntimeException("Passwords do not match");
    }

    User newUser = new User();
    //...
    return userRepo.save(newUser);
}
4

1 回答 1

5

我不清楚你在问什么......但我假设你想自定义记录的内容。

对于初学者,我建议使用专用的异常类型,例如ValidationException,您可以以不同的方式捕获和处理。

至于日志记录,它可能发生在 grapqh-java 中,因为 SPQR 本身不会记录任何内容。默认情况下,graphql-java 使用SimpleDataFetcherExceptionHandlerwhich记录在字段解析期间捕获的异常。

您现在有几个选项,您可以ResolverInterceptor在 SPQR 中注册一个捕获验证异常并记录您想要的内容,并DataFetcherResult为用户返回带有错误消息的 a。因为没有验证异常冒泡到 graphql-java,DataFetcherExceptionHandler在这种情况下与此无关。

它看起来像:

public class ValidationInterceptor implements ResolverInterceptor {

    @Override
    public Object aroundInvoke(InvocationContext context, Continuation continuation) throws Exception {
        try {
            return continuation.proceed(context);
        } catch (ValidationException e) {
            log.warning(e);
            return DataFetcherResult.newResult()
                    .error(GraphqlErrorBuilder
                            .newError(context.getResolutionEnvironment().dataFetchingEnvironment)
                            .message(e.getMessage()) //the message for the user
                            .build());
        }
    }
}

在此处查看答案以获取有关使用 Spring Boot 注册自定义拦截器的说明。

另一种选择是替换DataFetcherExceptionHandlergraphql-java 使用。为此,您必须GraphQL自己构造对象并将其注册为 bean。

@Bean
public GraphQL graphQL(GraphQLSchema schema) {
    GraphQL.Builder builder = GraphQL.newGraphQL(schema)
            .queryExecutionStrategy(new AsyncExecutionStrategy(customExceptionHandler))
            .mutationExecutionStrategy(new AsyncSerialExecutionStrategy(customExceptionHandler));
    return builder.build();
}

如果某个地方有一个 Spring 特性可用于对托管 bean 进行异常处理,我也不会感到惊讶。

于 2019-07-31T13:07:14.640 回答