如何在C#中使用动态属性调用Generic方法

时间:2015-07-17 12:03:06

标签: c# generics lambda generic-list

我有一些具有相似签名的方法,并试图在不使用接口的情况下将它们转换为一个通用的方法。

 public List<MultiSelectDropdown> ConvertListOfJobStatusToDropdownListClickable(List<JobStatus> js) {
        var list = new List<MultiSelectDropdown>();
        if (js != null && js.Count >= 1) {
            list = js.Select(item => new MultiSelectDropdown { Name = item.StatusValue, Value = item.id.ToString() }).ToList();
        }
        return list;
    }


    public List<MultiSelectDropdown> ConvertListOfCUsersToDropdownListClickable(List<cUser> users) {
        var list = new List<MultiSelectDropdown>();
        if (users != null && users.Count >= 1) {
            list = users.Select(item => new MultiSelectDropdown { Name = item.User_Name, Value = item.Id.ToString() }).ToList();
        }
        return list;
    }

这就是我想做的事;传入一个包含两个属性的列表。

List<MultiSelectDropdown> ddlForClientUsers = ConvertToMultiSelectDropdownList(listOfClientsForUser, n => n.Client_Id, v => v.Client);

List<MultiSelectDropdown> ddlForJobStatus = ConvertToMultiSelectDropdownList(listOfJobStatus, n => n.Id, v => v.JobName);

这是我尝试的方法,但不知道如何让item.propName和item.propValue工作。

我得到&#34;无法解决&#34;下面的方法中的propName和propValue

这可能吗?

 public List<MultiSelectDropdown> ConvertToMultiSelectDropdownList<T, TPropertyName, TPropertyValue>(List<T> listOfT, Func<T, TPropertyName> propName, Func<T, TPropertyValue> propValue) {
var list = new List<MultiSelectDropdown>();
        if (listOfT != null && listOfT.Count >= 1) {
            list = listOfT.Select(item => new MultiSelectDropdown { Name = item.propName, Value = item.propValue }).ToList();
        }
        return list;
    }

public class MultiSelectDropdown {
    public string Name { get; set; }
    public string Value { get; set; }
    public bool IsChecked { get; set; }
}

2 个答案:

答案 0 :(得分:3)

因为MultiSelectDropdown的属性是字符串,所以您的函数也应该返回它们。要调用这些函数,您必须像propName(item)而不是item.propName一样编写它们 - 这是属性语法,并且您表示您不想使用接口。

public List<MultiSelectDropdown> ConvertToMultiSelectDropdownList<T>(List<T> listOfT, Func<T, string> propName, Func<T, string> propValue) {
    var list = new List<MultiSelectDropdown>();
    if (listOfT != null && listOfT.Count >= 1) {
        list = listOfT.Select(item => new MultiSelectDropdown { Name = propName(item), Value = propValue(item) }).ToList();
    }
    return list;
}

答案 1 :(得分:1)

你真的很亲密,只是一个小小的错误。该行(重新格式化以防止滚动):

list = listOfT.Select(item => new MultiSelectDropdown 
                                  { 
                                      Name = item.propName, 
                                      Value = item.propValue 
                                  }).ToList();

需要:

list = listOfT.Select(item => new MultiSelectDropdown 
                                  { 
                                      Name = propName(item), 
                                      Value = propValue(item)
                                  }).ToList();