Zbudowałem silnik reguł, który ma inne podejście niż przedstawione w pytaniu, ale myślę, że okaże się, że będzie on znacznie bardziej elastyczny niż obecne podejście.
Twoje obecne podejście wydaje się koncentrować na pojedynczej jednostce, „Użytkownik”, a twoje trwałe reguły identyfikują „nazwa właściwości”, „operator” i „wartość”. Zamiast tego mój wzór przechowuje kod C # dla predykatu (Func <T, bool>) w kolumnie „Wyrażenie” w mojej bazie danych. W obecnym projekcie, używając generowania kodu, odpytuję „reguły” z mojej bazy danych i kompiluję zestaw z typami „Reguł”, każdy z wykorzystaniem metody „Test”. Oto podpis interfejsu implementowanego dla każdej reguły:
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; }
}
„Wyrażenie” jest kompilowane jako treść metody „Test” podczas pierwszego uruchomienia aplikacji. Jak widać, inne kolumny w tabeli są również wyświetlane jako pierwszorzędne właściwości reguły, dzięki czemu programista ma swobodę tworzenia sposobu, w jaki użytkownik zostanie powiadomiony o niepowodzeniu lub sukcesie.
Generowanie zestawu w pamięci jest jednorazowym wystąpieniem podczas aplikacji i zyskujesz na wydajności, ponieważ nie musisz używać refleksji podczas oceny reguł. Wyrażenia są sprawdzane w czasie wykonywania, ponieważ zestaw nie generuje się poprawnie, jeśli nazwa właściwości jest błędnie napisana itp.
Mechanizmy tworzenia zestawu w pamięci są następujące:
- Załaduj swoje reguły z bazy danych
- iteruj po regułach i dla każdego z nich, używając StringBuilder i jakiejś konkatenacji ciągów napisz tekst reprezentujący klasę, która dziedziczy z IDataRule
- skompiluj używając CodeDOM - więcej informacji
Jest to w rzeczywistości dość proste, ponieważ dla większości ten kod jest implementacją właściwości i inicjowaniem wartości w konstruktorze. Poza tym jedynym innym kodem jest Expression.
UWAGA: istnieje ograniczenie, że twoje wyrażenie musi być .NET 2.0 (bez lambdas lub innych funkcji C # 3.0) z powodu ograniczenia w CodeDOM.
Oto przykładowy kod do tego.
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
Poza tym stworzyłem klasę o nazwie „DataRuleCollection”, która zaimplementowała ICollection>. Umożliwiło mi to utworzenie funkcji „TestAll” i modułu indeksującego do wykonywania określonej reguły według nazwy. Oto implementacje tych dwóch metod.
/// <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);
}
WIĘCEJ KODU: Zgłoszono żądanie kodu związanego z generowaniem kodu. Zamknąłem funkcjonalność w klasie o nazwie „RulesAssemblyGenerator”, którą zamieściłem poniżej.
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;
}
}
}
}
Jeśli są jakieś inne pytania lub komentarze i prośby o dalsze przykłady kodu, daj mi znać.