1

我有一个现有的 asp.net (c#) 应用程序。我需要为用户提供一种创建灵活规则的方法,以计算给定雇用日期和注册日期的生效日期。

可能使用的一些规则示例:

  1. 雇用日期或入学日期中的较晚者
  2. 雇用日期 + 90 天
  3. 注册日期后的第一个月的第一天
  4. 如果注册日期在当月 15 日之前,则生效日期为下个月 1 日。如果是 15 日或之后,则为之后的一个月 1 日。

我从一些偏移字段(日偏移、月偏移等)开始,但是当我遇到新的需求时,我开始意识到当前的方法不够灵活。

我想做的是允许最终用户定义一个函数,该函数返回给定两个参数(hiredate、enrollmentdate)的日期,并将该函数存储在数据库中。当我需要计算有效日期时,我会将此函数从数据库中拉出,执行它并传入参数以获取我的有效日期。

我最初的反应是寻找允许我定义日期操作函数并将其集成到我的解决方案中的 DSL。然而,我对合适 DSL 的搜索却一无所获。

现在我想知道 CSharpCodeProvider 是否可以作为解决方案的一个组件。如果我从数据库中提取一个字符串,并通过 CsharpCodeProvider 对其进行编译,我是否可以强制生成的代码与函数签名匹配(采用 2 个日期时间参数,并返回一个数据时间)?

有没有办法确保该功能没有任何副作用?例如,无 I/O。没有读取或会话、缓存或应用程序。

4

2 回答 2

2

在这里查看我最近的答案:解析“DateTime.Now”?

从本质上讲,您可以轻松地利用现有的库(如FLEE)来解析表达式并为这些规则发出 IL。如果您查看示例,您可以了解如何设置变量以供用户表达式利用。例如,您可以定义一个“规则”,它由一些输入变量(如HireDateor EnrollmentDate)和一个返回日期的用户表达式/谓词组成。如果您DateTime像我在链接的答案中那样公开成员,那么用户也可以利用这些成员。

就像一个简单的例子,未经测试,但应该给你一个想法。

您可以设置一些自定义函数来提供帮助,例如获取一个月的第一天:

public static class CustomFunctions
{
    public static DateTime GetFirstDayOfMonth(DateTime date)
    {
        return new DateTime(date.Year, date.Month, 1);
    }
}

基本的 FLEE 设置(您必须根据需要进行自定义/调整)

ExpressionContext context = new ExpressionContext();

//Tell FLEE to expect a DateTime result; if the expression evaluates otherwise, 
//throws an ExpressionCompileException when compiling the expression
context.Options.ResultType = typeof(DateTime);

//Instruct FLEE to expose the `DateTime` static members and have 
//them accessible via "DateTime".
//This mimics the same exact C# syntax to access `DateTime.Now`
context.Imports.AddType(typeof(DateTime), "DateTime");
context.Imports.AddType(typeof(CustomFunctions));

//Expose your key variables like HireDate and EnrollmentDate
context.Variables["HireDate"] = GetHireDate(); //DateTime I suppose
context.Variables["EnrollmentDate"] = GetEnrollmentDate(); //DateTime I suppose

//Parse the expression, naturally the string would come from your data source
IGenericExpression<DateTime> expression = context.CompileGeneric<DateTime>(GetYourRule(), context);

DateTime date = expression.Evaluate();

那么您的规则可能如下所示:

string rule1 = "if(HireDate > EnrollmentDate, HireDate, EnrollmentDate)";
string rule2 = "HireDate.AddDays(90)";
string rule3 = "GetFirstDayOfMonth(EnrollmentDate.AddMonths(1))";
string rule4 = "GetFirstDayOfMonth(EnrollmentDate.AddMonths(if(EnrollmentDate.Day < 15, 1, 2)))"; 
于 2013-02-06T13:39:03.013 回答
0

以下链接包含您所追求的。本质上,它是一个可插入的 DSL,它允许定义无限的日期计划和集合,然后传递给函数、相交、联合等。

http://code.google.com/p/drules/

于 2013-05-27T11:13:57.890 回答