有一个 beautiful library 为 DTO 生成随机/伪随机值。

    var fruit = new[] { "apple", "banana", "orange", "strawberry", "kiwi" };

var orderIds = 0;
var testOrders = new Faker<Order>()
    //Ensure all properties have rules. By default, StrictMode is false
    //Set a global policy by using Faker.DefaultStrictMode
    .StrictMode(true)
    //OrderId is deterministic
    .RuleFor(o => o.OrderId, f => orderIds++)
    //Pick some fruit from a basket
    .RuleFor(o => o.Item, f => f.PickRandom(fruit))
    //A random quantity from 1 to 10
    .RuleFor(o => o.Quantity, f => f.Random.Number(1, 10));

为 int 创建规则很简单:
            .RuleForType(typeof(int), f => f.Random.Number(10, 1000))

我们如何为可为空的原始类型创建规则?

例如,如果我们的模型具有可为空的整数或可为空的 deimcals:
public class ObjectWithNullables
{

  public int? mynumber{get;set;}
  public decimal? mydec {get;set;}
}

我们不能像这样构造:
.RuleForType(typeof(int?), f => f.Random.Number(10, 1000))

我们如何表示可空值?

最佳答案

快速阅读似乎表明,当您尝试为给定类型的所有字段/属性提供单一规则时,您只需要使用 RuleForType

我认为您的 RuleForType 问题是您没有传入返回正确类型的 lambda。作为第一个参数的类型必须与 lambda 的返回类型匹配。用

.RuleForType(typeof(int?), f => (int?)f.Random.Number(10, 1000))

如果您需要一些可能的空值,请选择一个百分比并偶尔返回空值:
.RuleForType(typeof(int?), f => (f.Random.Number(1,10) == 1 ? (int?)null : f.Random.Number(10, 1000)))

关于c# - 如何用虚假表示可空值?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/47997209/

10-13 06:20