如何在C#中创建动态属性?

我正在寻找一种创建具有一组静态属性的类的方法。在运行时,我希望能够从数据库中向该对象添加其他动态属性。我还想为这些对象添加排序和过滤功能。

如何在C#中执行此操作?

回答:

您可能会使用字典,例如

Dictionary<string,object> properties;

我认为在大多数情况下,类似的事情都是这样完成的。

无论如何,使用set和get访问器创建“真实”属性不会获得任何好处,因为它将仅在运行时创建,并且您不会在代码中使用它。

这是一个示例,显示了可能的过滤和排序实现(无错误检查):

using System;

using System.Collections.Generic;

using System.Linq;

namespace ConsoleApplication1 {

class ObjectWithProperties {

Dictionary<string, object> properties = new Dictionary<string,object>();

public object this[string name] {

get {

if (properties.ContainsKey(name)){

return properties[name];

}

return null;

}

set {

properties[name] = value;

}

}

}

class Comparer<T> : IComparer<ObjectWithProperties> where T : IComparable {

string m_attributeName;

public Comparer(string attributeName){

m_attributeName = attributeName;

}

public int Compare(ObjectWithProperties x, ObjectWithProperties y) {

return ((T)x[m_attributeName]).CompareTo((T)y[m_attributeName]);

}

}

class Program {

static void Main(string[] args) {

// create some objects and fill a list

var obj1 = new ObjectWithProperties();

obj1["test"] = 100;

var obj2 = new ObjectWithProperties();

obj2["test"] = 200;

var obj3 = new ObjectWithProperties();

obj3["test"] = 150;

var objects = new List<ObjectWithProperties>(new ObjectWithProperties[]{ obj1, obj2, obj3 });

// filtering:

Console.WriteLine("Filtering:");

var filtered = from obj in objects

where (int)obj["test"] >= 150

select obj;

foreach (var obj in filtered){

Console.WriteLine(obj["test"]);

}

// sorting:

Console.WriteLine("Sorting:");

Comparer<int> c = new Comparer<int>("test");

objects.Sort(c);

foreach (var obj in objects) {

Console.WriteLine(obj["test"]);

}

}

}

}

以上是 如何在C#中创建动态属性? 的全部内容, 来源链接: utcz.com/qa/432138.html

回到顶部