在C#中使用String.Concat(Object)
代替String.Concat(String)
的目的是什么?为什么不使用Object.ToString()
的隐式调用而不是传递object
本身也可能导致拳击发生?
Int32 i = 5;
String s = "i = ";
// Boxing happens, ToString() is called inside
Console.WriteLine(s + i);
// Why compiler doesn't call ToString() implicitly?
Console.WriteLine(s + i.ToString());
给我们以下IL。
.method private hidebysig static void MyDemo() cil managed
{
// Code size 47 (0x2f)
.maxstack 2
.locals init ([0] int32 i, [1] string s)
IL_0000: nop
IL_0001: ldc.i4.5
IL_0002: stloc.0
IL_0003: ldstr "i = "
IL_0008: stloc.1
IL_0009: ldloc.1
IL_000a: ldloc.0
IL_000b: box [mscorlib]System.Int32
IL_0010: call string [mscorlib]System.String::Concat(object, object)
IL_0015: call void [mscorlib]System.Console::WriteLine(string)
IL_001a: nop
IL_001b: ldloc.1
IL_001c: ldloca.s i
IL_001e: call instance string [mscorlib]System.Int32::ToString()
IL_0023: call string [mscorlib]System.String::Concat(string, string)
IL_0028: call void [mscorlib]System.Console::WriteLine(string)
IL_002d: nop
IL_002e: ret
} // end of method Program::MyDemo
答案 0 :(得分:3)
编译器为什么要这样做?它不能。
如果传入一个对象(在本例中是一个盒装的int
),编译器唯一的可能就是调用string.Concat(object, object)
。它无法调用string.Concat(string, string)
,因为这两个参数都不是string
,因此符合第二个重载。
相反,如果适用,它会调用string.Concat(object, object)
并在内部执行ToString
。
作为开发人员,您对string.Concat
方法的工作原理有深入的了解。编译器不知道它最终都会成为string
。
另外,如果其中一个object
是null
,会发生什么? ToString
将失败并出现异常。这没有意义。只需传入object
并让代码处理它。
答案 1 :(得分:0)
参考资料来源: http://referencesource.microsoft.com/#mscorlib/system/string.cs,8281103e6f23cb5c
显示:
public static String Concat(Object arg0) {
Contract.Ensures(Contract.Result<String>() != null);
Contract.EndContractBlock();
if (arg0 == null)
{
return String.Empty;
}
return arg0.ToString();
}
它只是简单地创建该对象的字符串表示。因此,您传递的任何对象都将转换为String
。 String.Empty
如果为null。我认为这也使我们无法在将其转换为string
之前检查“null”对象。