引用c#Object Field,其名称作为字符串

时间:2016-08-04 11:43:11

标签: c# asp.net asp.net-mvc-4

我正在使用C#

中的ASP.NET MVC编写自定义报表模块

用户将能够定义他们希望在报告中看到的字段列表。

我想知道是否可以使用字符串引用对象字段,以便我可以枚举所选字段列表。

例如通常在视图中,基本上我会做以下

@foreach (Title item in Model)
{
    @item.Name 
    @item.Isbn
}

我会寻找像

这样的东西
@foreach (Title item in Model)
{
    @item.Select("Name")
    @item.Select("Isbn")
}

3 个答案:

答案 0 :(得分:1)

其中一种方法是通过反思。在某处添加此辅助方法:

private object GetValueByPropertyName<T>(T obj, string propertyName)
{
    PropertyInfo propInfo = typeof(T).GetProperty(propertyName);

    return propInfo.GetValue(obj);
}

用法:

@foreach (Title item in Model)
{
    var name =  GetValueByPropertyName(item, "Name");
    var isbn =  GetValueByPropertyName(item, "Isbn");
}

答案 1 :(得分:0)

我对asp没有经验,所以我不确定这是否可以在您的特定环境中使用。

但通常你可以使用反射。但您必须知道您是否正在寻找属性字段

对于字段:

FieldInfo fi = item.GetType().GetField("Name", BindingFlags.NonPublic | BindingFlags.Public | BindingFlags.Instance);
var value = fi.GetValue(item); // read a field
fi.SetValue(item, value); // set a field

对于属性:

PropertyInfo pi = item.GetType().GetProperty("Name", BindingFlags.NonPublic | BindingFlags.Public | BindingFlags.Instance);
var value = pi.GetValue(item); // read a property
pi.SetValue(item, value); // set a property

Google的用词是“反思”,大多数方法都可以在Type课程中找到。

答案 2 :(得分:0)

好吧,我强烈推荐使用View中的反对,因为它打破了MVC模式的主要原则。是的,你应该使用反射,但最好在控制器中使用它。让我们看一下简单而有效的例子。

在控制器中,我们设置了要使用的存根数据。在操作方法About()中,我们获得了用户选择的动态属性列表:

class Title
{
    // ctor that generates stub data 
    public Title()
    {
        Func<string> f = () => new string(Guid.NewGuid().ToString().Take(5).ToArray());
        A = "A : " + f();
        B = "B : " + f();
        C = "C : " + f();
        D = "D : " + f();
    }

    public string A { get; set; }
    public string B { get; set; }
    public string C { get; set; }
    public string D { get; set; }
}

public class HomeController : Controller
{
    public ActionResult Index()
    {
        return View();
    }

    public ActionResult About()
    {
        var data = new List<Title>()
        {
            new Title(), new Title(),
            new Title(), new Title()
        };

        // list of properties to display for user
        var fieldsSelectedByUser = new[] { "A", "C" };

        // here we obtain a list of propertyinfos from Title class, that user requested
        var propsInfo = typeof(Title).GetProperties().Where(p => fieldsSelectedByUser.Any(z => z == p.Name)).ToList();

        // query that returns list of properties in List<List<object>> format
        var result = data.Select(t => propsInfo.Select(pi => pi.GetValue(t, null)).ToList()).ToList();

        return View(result);
    }

    ...
}

在视图中我们可以通过简单地迭代集合来使用它:

@model List<List<object>>

<br/><br />

@foreach (var list in @Model)
{
    foreach (var property in list)
    {
        <p> @property&nbsp;&nbsp;</p>
    }

    <br/><br />
}

P.S。

根据MVC模式,视图应该利用控制器返回的数据,但在任何情况下都不应该在其中执行任何业务逻辑和综合操作。如果视图需要某种格式的某些数据 - 它应该使控制器返回的数据完全按照它所需的格式。