4

我有一个 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);

这甚至可能吗?

4

6 回答 6

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

于 2013-08-12T06:48:29.477 回答
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; }
}
于 2013-08-12T19:30:30.470 回答
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());
于 2013-08-12T06:57:47.870 回答
0

如何使用参数名称指定格式字符串:

<Viewdata>
<Format>{Name} - {Phone}</Format>
</Viewdata>

然后是这样的:

http://www.codeproject.com/Articles/622309/Extended-string-Format

你可以做这项工作。

于 2013-08-12T08:15:46.367 回答
0

简短的回答是肯定的,但这取决于您的格式选项的多样性,这将是多么困难。

如果您有一些格式字符串接受 5 个参数,而其他一些只接受 3 个参数,则需要考虑到这一点。

我会解析 XML 的参数并将它们存储到对象数组中以传递给 String.Format 函数。

于 2013-08-12T08:42:10.240 回答
0

您可以使用System.Linq.Dynamic并使整个格式命令可编辑:

class Person
{
    public string Name;
    public string Phone;

    public Person(string n, string p)
    {
        Name = n;
        Phone = p;
    }
}

static void TestDynamicLinq()
{
    foreach (var x in new Person[] { new Person("Joe", "123") }.AsQueryable().Select("string.Format(\"{0} - {1}\", it.Name, it.Phone)"))
        Console.WriteLine(x);
}
于 2016-04-11T08:16:12.323 回答