我有一个XML文件,我希望允许最终用户设置字符串的格式。
例如:
<Viewdata>
<Format>{0} - {1}</Format>
<Parm>Name(property of obj being formatted)</Parm>
<Parm>Phone</Parm>
</Viewdata>
所以在运行时我会以某种方式将其转换为String.Format("{0} - {1}", usr.Name, usr.Phone);
这甚至可能吗?
答案 0 :(得分:2)
当然。格式字符串只是字符串。
string fmt = "{0} - {1}"; // get this from your XML somehow
string name = "Chris";
string phone = "1234567";
string name_with_phone = String.Format(fmt, name, phone);
请小心,因为您的最终用户可能会破坏程序。不要忘记FormatException
。
答案 1 :(得分:1)
我同意其他海报,他们说你可能不应该这样做,但这并不意味着我们不能对这个有趣的问题感到高兴。首先,这个解决方案是半烘焙/粗糙但如果有人想要构建它,这是一个良好的开端。
我在LinqPad中写过它,我很喜欢Dump()
可以用控制台书写代替。
void Main()
{
XElement root = XElement.Parse(
@"<Viewdata>
<Format>{0} | {1}</Format>
<Parm>Name</Parm>
<Parm>Phone</Parm>
</Viewdata>");
var formatter = root.Descendants("Format").FirstOrDefault().Value;
var parms = root.Descendants("Parm").Select(x => x.Value).ToArray();
Person person = new Person { Name = "Jack", Phone = "(123)456-7890" };
string formatted = MagicFormatter<Person>(person, formatter, parms);
formatted.Dump();
/// OUTPUT ///
/// Jack | (123)456-7890
}
public string MagicFormatter<T>(T theobj, string formatter, params string[] propertyNames)
{
for (var index = 0; index < propertyNames.Length; index++)
{
PropertyInfo property = typeof(T).GetProperty(propertyNames[index]);
propertyNames[index] = (string)property.GetValue(theobj);
}
return string.Format(formatter, propertyNames);
}
public class Person
{
public string Name { get; set; }
public string Phone { get; set; }
}
答案 2 :(得分:0)
XElement root = XElement.Parse (
@"<Viewdata>
<Format>{0} - {1}</Format>
<Parm>damith</Parm>
<Parm>071444444</Parm>
</Viewdata>");
var format =root.Descendants("Format").FirstOrDefault().Value;
var result = string.Format(format, root.Descendants("Parm")
.Select(x=>x.Value).ToArray());
答案 3 :(得分:0)
如何使用参数名称指定格式字符串:
<Viewdata>
<Format>{Name} - {Phone}</Format>
</Viewdata>
然后用这样的东西:
http://www.codeproject.com/Articles/622309/Extended-string-Format
你可以做这项工作。
答案 4 :(得分:0)
简短回答是肯定的,但这取决于您的格式选项的多样性,这将是多么困难。
如果您有一些接受5参数的格式化字符串,而另一些只接受3参数,则需要考虑该参数。
我将解析XML for params并将它们存储到对象数组中以传递给String.Format函数。