Reputation: 23295
Why does the string data type have a .ToString()
method?
Upvotes: 53
Views: 9093
Reputation: 839114
The type System.String
, like almost all types in .NET, derives from System.Object
. Object
has a ToString()
method and so String
inherits this method. It is a virtual method and String
overrides it to return a reference to itself rather than using the default implementation which is to return the name of the type.
From Reflector, this is the implementation of ToString in Object
:
public virtual string ToString()
{
return this.GetType().ToString();
}
And this is the override in String
:
public override string ToString()
{
return this;
}
Upvotes: 78
Reputation: 387
You'll get a Null Reference Exception if your string is NULL and you use .ToString();
The following will throw:
string.Format("msgBoxTitle = {0}", msgBoxTitle.ToString())
Best to just write... This won't throw.
string.Format("msgBoxTitle = {0}", msgBoxTitle)
Upvotes: 1
Reputation: 1467
Any object in C# has a to string method, although i can't think of a reason why one would cast a string to a string at the moment the ToString() is inherited from the object type, which of course a string is an example of.
Upvotes: 0
Reputation: 93464
As Mark points out, it's just returning a reference to itself. But, why is this important? All basic types should return a string representation of themselves. Imagine a logging function that worked like this:
public void Log(object o) {
Console.WriteLine(o.ToString());
}
This allows you to pass any basic type and log it's contents. Without string returning itself, it would simply print out "String" rather than it's contents. You could also do the same thing with a template function.
Think this is silly? That's basically what the string formatting functions do. It calls "ToString" when you do this:
Console.WriteLine("{0}", myString);
Upvotes: 11
Reputation: 76
This is even true for java , I think most of the Object Oriented programing languages have this , a string representation of objects in question, since every class you create by default it extedns from Object thus resulting in having the toString() method , remember it's only applicable to objects not for premitive types.
Upvotes: 3
Reputation: 18741
String is an object, it is not a data type. Because String is an object, it inherits from the Root Object the ToString() method.
It just like in Java, Objective-C or Scala:)
Upvotes: 3