在ToString方法C#中的类变量之间插入空格

时间:2011-11-04 12:27:10

标签: c# tostring

我想让用户能够在需要时打印客户端的副本。我正在考虑将整个类对象转换为字符串,然后设置为富文本框控件,格式类似于以下格式:

Name: blah blah

Age: blah blah

Email: blah blah

Description: blah blah blah
blah blah blah blah blah

等等。是否有一种简单的方法来完成行间距/特殊格式化?

提前致谢, ARI

4 个答案:

答案 0 :(得分:6)

使用format strings,例如:

string.Format("{0}: {1}{2}", "Name", this.Name, Environment.NewLine);

使用Environment.NewLine获取正确的换行符。

答案 1 :(得分:1)

您可以使用String.Format()提供自定义格式:

class YourClass
{
    public override string ToString()
    {
        return String.Format(CultureInfo.CurrentCulture,
                             "Description: {0} {1}{2}{3}",
                             this.Name,
                             this.Age,
                             Environment.NewLine,
                             this.Email);
    }
}

这将输出:

Description: Name 
Age Email

答案 2 :(得分:1)

我假设您有一个名为Person的类,您可以覆盖ToString方法,通过反射获取所有道具值并将其打印出来,因此添加新属性不会导致代码发生任何变化:

        public override string ToString()
        {
            var props = GetType().GetProperties();

            string result = "";
            foreach (var prop in props)
            {
                var val = prop.GetValue(this, null);
                var strVal = val != null ? val.ToString() : string.Empty;
                result += prop.Name + " : " + strVal + Environment.NewLine;
            }
            return result;
        }

    }

此外,您可以对其进行序列化并在客户端进行后续编译,通过将类标记为可序列化,可以轻松实现。

答案 3 :(得分:1)

    public override string ToString()
    {
        return string.Join(Environment.NewLine, 
          GetType().GetProperties().Select( 
             item => item.Name + ": " + (item.GetValue(this, null) ?? string.Empty).ToString()
             ));
    }