我试图制作一个具有占位符的模板字符串,这些占位符被数据库中的值替换,具体取决于它们的内部值。即,模板看起来像这样:
No: {Job_Number} Customer: {Cust_Name} Action: {Action}
模板可以更改为任何内容,任何列值都在括号内。我想不出一种优雅的方式来获取内部值并将它们替换为值...
这一直是我的解决方案。
给你的格式字符串你可以做这样的事情:
// this is a MatchEvaluater for a regex replace
string me_setFormatValue(Match m){
// this is the key for the value you want to pull from the database
// Job_Number, etc...
string key = m.Groups[1].Value;
return SomeFunctionToGetValueFromKey(key);
}
void testMethod(){
string format_string = @"No: {Job_Number}
Customer: {Cust_Name}
Action: {Action}";
string formatted = Regex.Replace(@"\{([a-zA-Z_-]+?)\}", format_string, me_SetFormatValue);
}
我将有一个结构或一个类来表示它,并覆盖 ToString。您可能已经有一个类,从逻辑上讲,您正在格式化为字符串。
public class StringHolder
{
public int No;
public string CustomerName;
public string Action;
public override string ToString()
{
return string.Format("No: {1}{0}Customer: {2}{0}Action: {3}",
Environment.NewLine,
this.No,
this.CustomerName,
this.Action);
}
}
然后,您只需更改属性,并将 instance.ToString 再次放入它的目标位置以更新值。
您可以使 StringHolder 类更通用,如下所示:
public class StringHolder
{
public readonly Dictionary<string, string> Values = new Dictionary<string, string>();
public override string ToString()
{
return this.ToString(Environment.NewLine);
}
public string ToString(string separator)
{
return string.Join(separator, this.Values.Select(kvp => string.Format("{0}: {1}", kvp.Key, kvp.Value)));
}
public string this[string key]
{
get { return this.Values[key]; }
set { this.Values[key] = value; }
}
}
然后用法是:
var sh = new StringHolder();
sh["No"] = jobNum;
sh["Customer"] = custName;
sh["Action"] = action;
var s = sh.ToString();