以下是我的代码的简化:
void Foo(params object[] args)
{
Bar(string.Format("Some {0} text {1} here {2}", /* I want to send args */);
}
string.Format
要求将参数作为params
发送。我有什么方法可以将args
集合转换为string.Format
方法的参数吗?
答案 0 :(得分:13)
params
关键字只有语法糖,它允许您使用任意数量的参数调用此类方法。但是,这些参数始终作为数组传递给方法。
这意味着Foo(123, "hello", DateTime.Now)
相当于Foo(new object[] { 123, "hello", DateTime.Now })
。
因此,您可以将Foo
中的参数直接传递给string.Format
,如下所示:
void Foo(params object[] args)
{
Bar(string.Format("Some {0} text {1} here {2}", args));
}
但是,在这种特殊情况下,您需要三个参数(因为您的格式中有{0},{1}和{2}。因此,您应该将代码更改为:
void Foo(object arg0, object arg1, object arg2)
{
Bar(string.Format("Some {0} text {1} here {2}", arg0, arg1, arg2));
}
......或者像马塞洛建议的那样。
答案 1 :(得分:4)
将它们作为单个参数传递:
Bar(string.Format("Some {0} text {1} here {2}", args));
答案 2 :(得分:0)
您可以尝试使用object.GetType(),例如
void Foo(params object[] args)
{
List<string> argStrings = new List<string>();
foreach (object arg in args)
{
if (args.GetType().Name == typeof(String).Name)
{
argStrings.Add((string)arg);
}
else if (args.GetType().Name == typeof(DateTime).Name)
{
DateTime dateArg = (DateTime)arg;
argStrings.Add(dateArg.ToShortDateString());
}
else
{
argStrings.Add(arg.ToString());
}
}
Bar(string.Format("Some {0} text {1} here {2}", argStrings.ToArray()));
}