Ho creato un motore di regole che adotta un approccio diverso rispetto a quello delineato nella tua domanda, ma penso che lo troverai molto più flessibile del tuo attuale approccio.
Il tuo approccio attuale sembra focalizzato su una singola entità, "Utente", e le tue regole persistenti identificano "nome proprietà", "operatore" e "valore". Il mio modello, invece, memorizza il codice C # per un predicato (Func <T, bool>) in una colonna "Espressione" nel mio database. Nel progetto attuale, usando la generazione del codice, sto interrogando le "regole" dal mio database e compilando un assembly con tipi "Rule", ognuno con un metodo "Test". Ecco la firma per l'interfaccia implementata in ogni regola:
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" viene compilato come corpo del metodo "Test" quando l'applicazione viene eseguita per la prima volta. Come puoi vedere, le altre colonne nella tabella sono anche emerse come proprietà di prima classe sulla regola in modo che uno sviluppatore abbia la flessibilità di creare un'esperienza su come l'utente viene avvisato di errori o esiti positivi.
La generazione di un assembly in memoria avviene una volta sola durante l'applicazione e si ottiene un miglioramento delle prestazioni non dovendo utilizzare la riflessione durante la valutazione delle regole. Le tue espressioni vengono verificate in fase di esecuzione poiché l'assembly non verrà generato correttamente se il nome di una proprietà è errato, ecc.
I meccanismi di creazione di un assembly in memoria sono i seguenti:
- Carica le tue regole dal DB
- iterare le regole e per ciascuna, usando StringBuilder e qualche concatenazione di stringhe scrivere il testo che rappresenta una classe che eredita da IDataRule
- compilare usando CodeDOM - maggiori informazioni
Questo è in realtà abbastanza semplice perché per la maggior parte questo codice è implementazioni di proprietà e inizializzazione di valore nel costruttore. Oltre a ciò, l'unico altro codice è l'Espressione.
NOTA: esiste una limitazione per cui l'espressione deve essere .NET 2.0 (nessuna lambda o altre funzionalità di C # 3.0) a causa di una limitazione in CodeDOM.
Ecco un codice di esempio per questo.
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
Oltre a ciò ho creato una classe che ho chiamato "DataRuleCollection", che ha implementato ICollection>. Ciò mi ha permesso di creare una funzionalità "TestAll" e un indicizzatore per l'esecuzione di una regola specifica per nome. Ecco le implementazioni per questi due metodi.
/// <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);
}
ALTRO CODICE: è stata richiesta una richiesta di codice relativa alla generazione del codice. Ho incapsulato la funzionalità in una classe chiamata 'RulesAssemblyGenerator' che ho incluso di seguito.
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;
}
}
}
}
Se ci sono altre domande o commenti o richieste per ulteriori esempi di codice, fammi sapere.