tags:

views:

623

answers:

5

C#: Why does the string data type have a .ToString() method?

+34  A: 

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;
}
Mark Byers
+2  A: 

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:)

vodkhang
`int` has a `ToString` method as well...
Dean Harding
it suprised me:), I just thought that C# is like Java, there is no toString method for those things:)
vodkhang
it is not capitalized because it is an alias. After compiling, that alias will be converted to the capitalized String
vodkhang
no, string is never boxed to become an object. http://stackoverflow.com/questions/215255/string-vs-string-in-c
vodkhang
+1  A: 

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.

G.E.B
+4  A: 

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);
Mystere Man
A: 

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.

Stephen Murby