귀하의 질문에 설명 된 것과 다른 접근 방식을 취하는 규칙 엔진을 만들었지 만 현재 접근 방식보다 훨씬 유연하다고 생각합니다.
현재 접근 방식은 단일 사용자 인 "사용자"에 중점을두고 있으며 영구 규칙은 "propertyname", "operator"및 "value"를 식별합니다. 내 패턴은 대신 데이터베이스의 "표현식"열에 조건 자에 대한 C # 코드 (Func <T, bool>)를 저장합니다. 현재 디자인에서 코드 생성을 사용하여 데이터베이스에서 "규칙"을 쿼리하고 "규칙"유형의 어셈블리를 각각 "테스트"방법으로 컴파일합니다. 각 규칙에 구현 된 인터페이스의 서명은 다음과 같습니다.
public interface IDataRule<TEntity>
{
/// <summary>
/// Evaluates the validity of a rule given an instance of an entity
/// </summary>
/// <param name="entity">Entity to evaluate</param>
/// <returns>result of the evaluation</returns>
bool Test(TEntity entity);
/// <summary>
/// The unique indentifier for a rule.
/// </summary>
int RuleId { get; set; }
/// <summary>
/// Common name of the rule, not unique
/// </summary>
string RuleName { get; set; }
/// <summary>
/// Indicates the message used to notify the user if the rule fails
/// </summary>
string ValidationMessage { get; set; }
/// <summary>
/// indicator of whether the rule is enabled or not
/// </summary>
bool IsEnabled { get; set; }
/// <summary>
/// Represents the order in which a rule should be executed relative to other rules
/// </summary>
int SortOrder { get; set; }
}
"Expression"은 응용 프로그램이 처음 실행될 때 "Test"메서드의 본문으로 컴파일됩니다. 보시다시피 테이블의 다른 열도 규칙에서 일류 속성으로 표시되므로 개발자는 사용자에게 실패 또는 성공을 알리는 방법에 대한 경험을 유연하게 만들 수 있습니다.
인 메모리 어셈블리 생성은 응용 프로그램에서 1 회 발생하며 규칙을 평가할 때 리플렉션을 사용하지 않아도 성능이 향상됩니다. 속성 이름의 철자가 틀린 경우 어셈블리가 올바르게 생성되지 않으므로 런타임에식이 확인됩니다.
인 메모리 어셈블리를 만드는 메커니즘은 다음과 같습니다.
- DB에서 규칙을로드하십시오.
- StringBuilder와 일부 문자열 연결을 사용하여 규칙과 각 규칙을 반복하고 IDataRule에서 상속되는 클래스를 나타내는 Text를 작성하십시오.
- CodeDOM을 사용하여 컴파일- 추가 정보
대부분의 경우이 코드는 생성자의 속성 구현 및 값 초기화이므로 실제로는 매우 간단합니다. 그 외에도 다른 코드는 Expression입니다.
참고 : CodeDOM의 제한으로 인해식이 .NET 2.0이어야합니다 (람다 나 다른 C # 3.0 기능 없음).
다음은 이에 대한 샘플 코드입니다.
sb.AppendLine(string.Format("\tpublic class {0} : SomeCompany.ComponentModel.IDataRule<{1}>", className, typeName));
sb.AppendLine("\t{");
sb.AppendLine("\t\tprivate int _ruleId = -1;");
sb.AppendLine("\t\tprivate string _ruleName = \"\";");
sb.AppendLine("\t\tprivate string _ruleType = \"\";");
sb.AppendLine("\t\tprivate string _validationMessage = \"\";");
/// ...
sb.AppendLine("\t\tprivate bool _isenabled= false;");
// constructor
sb.AppendLine(string.Format("\t\tpublic {0}()", className));
sb.AppendLine("\t\t{");
sb.AppendLine(string.Format("\t\t\tRuleId = {0};", ruleId));
sb.AppendLine(string.Format("\t\t\tRuleName = \"{0}\";", ruleName.TrimEnd()));
sb.AppendLine(string.Format("\t\t\tRuleType = \"{0}\";", ruleType.TrimEnd()));
sb.AppendLine(string.Format("\t\t\tValidationMessage = \"{0}\";", validationMessage.TrimEnd()));
// ...
sb.AppendLine(string.Format("\t\t\tSortOrder = {0};", sortOrder));
sb.AppendLine("\t\t}");
// properties
sb.AppendLine("\t\tpublic int RuleId { get { return _ruleId; } set { _ruleId = value; } }");
sb.AppendLine("\t\tpublic string RuleName { get { return _ruleName; } set { _ruleName = value; } }");
sb.AppendLine("\t\tpublic string RuleType { get { return _ruleType; } set { _ruleType = value; } }");
/// ... more properties -- omitted
sb.AppendLine(string.Format("\t\tpublic bool Test({0} entity) ", typeName));
sb.AppendLine("\t\t{");
// #############################################################
// NOTE: This is where the expression from the DB Column becomes
// the body of the Test Method, such as: return "entity.Prop1 < 5"
// #############################################################
sb.AppendLine(string.Format("\t\t\treturn {0};", expressionText.TrimEnd()));
sb.AppendLine("\t\t}"); // close method
sb.AppendLine("\t}"); // close Class
이 외에도 ICollection>을 구현 한 "DataRuleCollection"이라는 클래스를 만들었습니다. 이를 통해 "TestAll"기능과 이름으로 특정 규칙을 실행하기위한 인덱서를 만들 수있었습니다. 다음은이 두 가지 방법에 대한 구현입니다.
/// <summary>
/// Indexer which enables accessing rules in the collection by name
/// </summary>
/// <param name="ruleName">a rule name</param>
/// <returns>an instance of a data rule or null if the rule was not found.</returns>
public IDataRule<TEntity, bool> this[string ruleName]
{
get { return Contains(ruleName) ? list[ruleName] : null; }
}
// in this case the implementation of the Rules Collection is:
// DataRulesCollection<IDataRule<User>> and that generic flows through to the rule.
// there are also some supporting concepts here not otherwise outlined, such as a "FailedRules" IList
public bool TestAllRules(User target)
{
rules.FailedRules.Clear();
var result = true;
foreach (var rule in rules.Where(x => x.IsEnabled))
{
result = rule.Test(target);
if (!result)
{
rules.FailedRules.Add(rule);
}
}
return (rules.FailedRules.Count == 0);
}
추가 코드 : 코드 생성과 관련된 코드 요청이있었습니다. 아래에 포함시킨 'RulesAssemblyGenerator'라는 클래스에 기능을 캡슐화했습니다.
namespace Xxx.Services.Utils
{
public static class RulesAssemblyGenerator
{
static List<string> EntityTypesLoaded = new List<string>();
public static void Execute(string typeName, string scriptCode)
{
if (EntityTypesLoaded.Contains(typeName)) { return; }
// only allow the assembly to load once per entityType per execution session
Compile(new CSharpCodeProvider(), scriptCode);
EntityTypesLoaded.Add(typeName);
}
private static void Compile(CodeDom.CodeDomProvider provider, string source)
{
var param = new CodeDom.CompilerParameters()
{
GenerateExecutable = false,
IncludeDebugInformation = false,
GenerateInMemory = true
};
var path = System.Reflection.Assembly.GetExecutingAssembly().Location;
var root_Dir = System.IO.Path.Combine(System.AppDomain.CurrentDomain.BaseDirectory, "Bin");
param.ReferencedAssemblies.Add(path);
// Note: This dependencies list are included as assembly reference and they should list out all dependencies
// That you may reference in your Rules or that your entity depends on.
// some assembly names were changed... clearly.
var dependencies = new string[] { "yyyyyy.dll", "xxxxxx.dll", "NHibernate.dll", "ABC.Helper.Rules.dll" };
foreach (var dependency in dependencies)
{
var assemblypath = System.IO.Path.Combine(root_Dir, dependency);
param.ReferencedAssemblies.Add(assemblypath);
}
// reference .NET basics for C# 2.0 and C#3.0
param.ReferencedAssemblies.Add(@"C:\WINDOWS\Microsoft.NET\Framework\v2.0.50727\System.dll");
param.ReferencedAssemblies.Add(@"C:\Program Files\Reference Assemblies\Microsoft\Framework\v3.5\System.Core.dll");
var compileResults = provider.CompileAssemblyFromSource(param, source);
var output = compileResults.Output;
if (compileResults.Errors.Count != 0)
{
CodeDom.CompilerErrorCollection es = compileResults.Errors;
var edList = new List<DataRuleLoadExceptionDetails>();
foreach (CodeDom.CompilerError s in es)
edList.Add(new DataRuleLoadExceptionDetails() { Message = s.ErrorText, LineNumber = s.Line });
var rde = new RuleDefinitionException(source, edList.ToArray());
throw rde;
}
}
}
}
추가 코드 샘플에 대한 다른 질문이나 의견 또는 요청 이 있으면 알려주십시오.