循环和访问方法的参数值

时间:2016-12-23 18:23:34

标签: c# parameters .net-4.0 getparameter methodbase

我有以下方法(我示例我在方法的评论中需要的内容):

public static Dictionary<int, int> Foo(bool os, bool rad, bool aci, bool outr, string distrito = null)
{
    if (os == false && rad == false && aci == false && outr == false)
    {
        return new Dictionary<int, int>();
    }

    var parameters = MethodBase.GetCurrentMethod().GetParameters();
    foreach (ParameterInfo parameter in parameters)
    {
        // I would love if parameter.Value existed, because:
        // if (parameter.Value==true) {
        // x++
        // if (x == 1) string s = "true" + parameter.Name;
        // if (x > 1) s += "Additional true" + parameter.Name;
        // }
        // s += "End";
    }
    return null;
}

我必须知道bool参数的一个或多个值是否为真。因为它们是四,所以想象if的组合,我必须做的是检查是否只有一个是真的,或者如果不止一个是真的。

那么,如何在不使用参数变量本身的情况下循环传入的Method参数的当前值?

2 个答案:

答案 0 :(得分:0)

如果您只想知道有多少是真的,可以将它们变成整数并添加它们的值:

var values = new[] {os, rad, aci, outr};
var sum = values.Select(v => Convert.ToInt32(v)).Sum();

如果需要参数名称,则可以创建匿名对象并读取其属性:

public static Dictionary<int, int> Foo(bool os, bool rad, bool aci, bool outr, string distrito = null)
{
    var obj = new { os, rad, aci, outr};
    foreach (PropertyInfo pInfo in obj.GetType().GetProperties())
    {
        var value = (bool)pInfo.GetValue(obj);
        if (value)
        {
            //Do whatever you want here.                    
            Console.WriteLine("{0}: {1}", pInfo.Name, value);
        }
    }
}

答案 1 :(得分:0)

您可以尝试一些LINQ extensions,我认为WhereSelect的组合可能是一个解决方案,顶部有string.Join方法:

// get all parameters
var parameters = MethodBase.GetCurrentMethod().GetParameters();

// for each true parameter we add this prefix
var truePrefix = "true";

// we put this string between true parameters, if more than one are present
var separator = "Additional";

// Join IEnumerable of strings with a given separator
var total = string.Join(separator, parameters
  // filter parameters to check only boolean ones, and only true ones
  .Where(p => p.ParameterType == typeof(bool) && (bool)p.Value)
  // select a name with prefix
  .Select(p => truePrefix + p.Name)))