我试图创建一个模板字符串,其中包含的占位符取决于其内部值而被数据库中的值替换。 即,模板看起来像这样:
No: {Job_Number} Customer: {Cust_Name} Action: {Action}
模板可以更改为任何内容,任何列值都在括号内。 我无法想出一种优雅的方法来获取内部值并用值替换它们......
答案 0 :(得分:2)
这是我的解决方案。
给你的格式字符串你可以这样做:
// 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);
}
答案 1 :(得分:0)
我会有一个结构或类来表示它,并覆盖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();