2

我正在尝试使用注释验证以下属性,它应该是 true 还是 false

public bool Info { get; set; }

如果我像下面这样传递 json,我会得到一个无效的数据验证错误

{  
  "info": trues
}

但奇怪的是,如果我像下面这样通过,没有数据验证。

{  
  "info": 12345
}

我曾尝试过ValidationAttribute如下所示,但即使 val 为12345 ,也始终为

public class IsBoolAttribute : ValidationAttribute
{
    //public override bool RequiresValidationContext => true;

    public override bool IsValid(object value)
    {

        if (value == null) return false;
        if (value.GetType() != typeof(bool)) return false;
        return (bool)value;
    }
}
4

1 回答 1

2

如果您在 Startup.cs 中使用 Newtonsoft.Json,它似乎将随机整数转换为true设计。您可以编写一个自定义的 JsonConverter,如下所示:

public class CustomBoolConverter : JsonConverter
{
    public override bool CanConvert(Type objectType)
    {
        return true;
    }

    public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
    {
        var value = reader.Value;

        if (value.GetType() != typeof(bool))
        {
            throw new JsonReaderException("The JSON value could not be converted to System.Boolean.");
        }
            return value;
    }

    public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
    {
        serializer.Serialize(writer, value as string);
    }
}

启动.cs

services.AddControllers()
            .AddNewtonsoftJson();

替代方法,您可以使用System.Text.Json自 ASP.NET Core 3.0 以来默认使用的方法, Startup.cs 如下所示:

services.AddControllers();
        //.AddNewtonsoftJson();

当您输入错误的值时,它将返回以下错误: 在此处输入图像描述

于 2020-01-21T09:57:32.823 回答