How do I print my Java object without getting “SomeType@2f92e0f4”?

Multi tool use
Multi tool use











up vote
240
down vote

favorite
74












I have a class defined as follows:



public class Person {
private String name;

// constructor and getter/setter omitted
}


I tried to print an instance of my class:



System.out.println(myPerson);


but I got the following output: com.foo.Person@2f92e0f4.



A similar thing happened when I tried to print an array of Person objects:



Person people = //...
System.out.println(people);


I got the output: [Lcom.foo.Person;@28a418fc



What does this output mean? How do I change this output so it contains the name of my person? And how do I print collections of my objects?



Note: this is intended as a canonical Q&A about this subject.










share|improve this question
























  • You can use GSON library to convert object to json and vice versa. Very useful for debugging.
    – Ashish Rawat
    Aug 8 '15 at 2:07










  • See also stackoverflow.com/questions/27647567/…
    – Raedwald
    Mar 26 '16 at 14:14















up vote
240
down vote

favorite
74












I have a class defined as follows:



public class Person {
private String name;

// constructor and getter/setter omitted
}


I tried to print an instance of my class:



System.out.println(myPerson);


but I got the following output: com.foo.Person@2f92e0f4.



A similar thing happened when I tried to print an array of Person objects:



Person people = //...
System.out.println(people);


I got the output: [Lcom.foo.Person;@28a418fc



What does this output mean? How do I change this output so it contains the name of my person? And how do I print collections of my objects?



Note: this is intended as a canonical Q&A about this subject.










share|improve this question
























  • You can use GSON library to convert object to json and vice versa. Very useful for debugging.
    – Ashish Rawat
    Aug 8 '15 at 2:07










  • See also stackoverflow.com/questions/27647567/…
    – Raedwald
    Mar 26 '16 at 14:14













up vote
240
down vote

favorite
74









up vote
240
down vote

favorite
74






74





I have a class defined as follows:



public class Person {
private String name;

// constructor and getter/setter omitted
}


I tried to print an instance of my class:



System.out.println(myPerson);


but I got the following output: com.foo.Person@2f92e0f4.



A similar thing happened when I tried to print an array of Person objects:



Person people = //...
System.out.println(people);


I got the output: [Lcom.foo.Person;@28a418fc



What does this output mean? How do I change this output so it contains the name of my person? And how do I print collections of my objects?



Note: this is intended as a canonical Q&A about this subject.










share|improve this question















I have a class defined as follows:



public class Person {
private String name;

// constructor and getter/setter omitted
}


I tried to print an instance of my class:



System.out.println(myPerson);


but I got the following output: com.foo.Person@2f92e0f4.



A similar thing happened when I tried to print an array of Person objects:



Person people = //...
System.out.println(people);


I got the output: [Lcom.foo.Person;@28a418fc



What does this output mean? How do I change this output so it contains the name of my person? And how do I print collections of my objects?



Note: this is intended as a canonical Q&A about this subject.







java string object tostring






share|improve this question















share|improve this question













share|improve this question




share|improve this question








edited Nov 16 '17 at 5:36









cricket_007

78.4k1142109




78.4k1142109










asked Mar 19 '15 at 8:59









Duncan Jones

43.7k16111167




43.7k16111167












  • You can use GSON library to convert object to json and vice versa. Very useful for debugging.
    – Ashish Rawat
    Aug 8 '15 at 2:07










  • See also stackoverflow.com/questions/27647567/…
    – Raedwald
    Mar 26 '16 at 14:14


















  • You can use GSON library to convert object to json and vice versa. Very useful for debugging.
    – Ashish Rawat
    Aug 8 '15 at 2:07










  • See also stackoverflow.com/questions/27647567/…
    – Raedwald
    Mar 26 '16 at 14:14
















You can use GSON library to convert object to json and vice versa. Very useful for debugging.
– Ashish Rawat
Aug 8 '15 at 2:07




You can use GSON library to convert object to json and vice versa. Very useful for debugging.
– Ashish Rawat
Aug 8 '15 at 2:07












See also stackoverflow.com/questions/27647567/…
– Raedwald
Mar 26 '16 at 14:14




See also stackoverflow.com/questions/27647567/…
– Raedwald
Mar 26 '16 at 14:14












10 Answers
10






active

oldest

votes

















up vote
326
down vote



accepted










Background



All Java objects have a toString() method, which is invoked when you try and print the object.



System.out.println(myObject);  // invokes myObject.toString()


This method is defined in the Object class (the superclass of all Java objects). The Object.toString() method returns a fairly ugly looking string, composed of the name of the class, an @ symbol and the hashcode of the object in hexadecimal. The code for this looks like:



// Code of Object.toString()
public String toString() {
return getClass().getName() + "@" + Integer.toHexString(hashCode());
}


A result such as com.foo.MyType@2f92e0f4 can therefore be explained as:





  • com.foo.MyType - the name of the class, i.e. the class is MyType in the package com.foo.


  • @ - joins the string together


  • 2f92e0f4 the hashcode of the object.


The name of array classes look a little different, which is explained well in the Javadocs for Class.getName(). For instance, [Ljava.lang.String means:





  • [ - an single-dimensional array (as opposed to [[ or [[[ etc.)


  • L - the array contains a class or interface


  • java.lang.String - the type of objects in the array




Customizing the Output



To print something different when you call System.out.println(myObject), you must override the toString() method in your own class. Here's a simple example:



public class Person {

private String name;

// constructors and other methods omitted

@Override
public String toString() {
return name;
}
}


Now if we print a Person, we see their name rather than com.foo.Person@12345678.



Bear in mind that toString() is just one way for an object to be converted to a string. Typically this output should fully describe your object in a clear and concise manner. A better toString() for our Person class might be:



@Override
public String toString() {
return getClass().getSimpleName() + "[name=" + name + "]";
}


Which would print, e.g., Person[name=Henry]. That's a really useful piece of data for debugging/testing.



If you want to focus on just one aspect of your object or include a lot of jazzy formatting, you might be better to define a separate method instead, e.g. String toElegantReport() {...}.





Auto-generating the Output



Many IDEs offer support for auto-generating a toString() method, based on the fields in the class. See docs for Eclipse and IntelliJ, for example.



Several popular Java libraries offer this feature as well. Some examples include:




  • ToStringBuilder from Apache Commons Lang


  • MoreObjects.ToStringHelper from Google Guava


  • @ToString annotation from Project Lombok





Printing groups of objects



So you've created a nice toString() for your class. What happens if that class is placed into an array or a collection?



Arrays



If you have an array of objects, you can call Arrays.toString() to produce a simple representation of the contents of the array. For instance, consider this array of Person objects:



Person people = { new Person("Fred"), new Person("Mike") };
System.out.println(Arrays.toString(people));

// Prints: [Fred, Mike]


Note: this is a call to a static method called toString() in the Arrays class, which is different to what we've been discussing above.



If you have a multi-dimensional array, you can use Arrays.deepToString() to achieve the same sort of output.



Collections



Most collections will produce a pretty output based on calling .toString() on every element.



List<Person> people = new ArrayList<>();
people.add(new Person("Alice"));
people.add(new Person("Bob"));
System.out.println(people);

// Prints [Alice, Bob]


So you just need to ensure your list elements define a nice toString() as discussed above.






share|improve this answer























  • return String.format( getClass().getSimpleName() + "[ name=%s ]", name); and really instead of name it should use the getter getName() (but getters were omitted in the Person class...) but if a getter was used ... return String.format( getClass().getSimpleName() + "[ name=%s ]", getName());
    – CrandellWS
    May 23 '16 at 5:55












  • if i have two classes in java file then how to create object of class which is not public A.java public class A{ } class B{ } ------ C.java public class C{ A a = new A(); }
    – yatinbc
    Oct 10 '16 at 9:22










  • Note that there are overloaded versions of Arrays.toString() so you can use it for arrays of primitives too (int, double). Also Arrays.deepToString() handles multidimensional arrays of primitives nicely.
    – Ole V.V.
    Mar 9 '17 at 15:17


















up vote
38
down vote













I think apache provides a better util class which provides a function to get the string



ReflectionToStringBuilder.toString(object)





share|improve this answer



















  • 2




    This has the advantage that it doesn't require to edit the class, which is sometimes not possible. However, how can I recursively print nested objects too?
    – lukas84
    Mar 23 at 17:16




















up vote
24
down vote













Every class in Java has the toString() method in it by default, which is called if you pass some object of that class to System.out.println(). By default, this call returns the className@hashcode of that object.



{
SomeClass sc = new SomeClass();
// Class @ followed by hashcode of object in Hexadecimal
System.out.println(sc);
}


You can override the toString method of a class to get different output. See this example



class A {
String s = "I am just a object";
@Override
public String toString()
{
return s;
}
}

class B {
public static void main(String args)
{
A obj = new A();
System.out.println(obj);
}
}





share|improve this answer



















  • 1




    This is a well-put and short answer, but to clarify why OP is getting [Lcom.foo.Person;@28a418fc as output: that's the output of toString() method, too, but of the one that is implemented in the class that is generated at runtime for the type Person, not Person (see stackoverflow.com/a/8546532/1542343).
    – gvlasov
    Mar 24 '15 at 21:28












  • This output means package.Class@Hashcode . The default toString() method has return type like. return Object.hasCode() or some similar return statement which is returning hashcode in hexadecimal form along with class name.
    – Pankaj Manali
    Mar 25 '15 at 14:03




















up vote
8
down vote













In Eclipse,
Go to your class,
Right click->source->Generate toString();



It will override the toString() method and will print the object of that class.






share|improve this answer






























    up vote
    4
    down vote













    By default, every Object in Java has the toString() method which outputs the ObjectType@HashCode.



    If you want more meaningfull information then you need to override the toString() method in your class.



    public class Person {
    private String name;

    // constructor and getter/setter omitted

    // overridding toString() to print name
    public String toString(){
    return name;
    }
    }


    Now when you print the person object using System.out.prtinln(personObj); it will print the name of the person instead of the classname and hashcode.



    In your second case when you are trying to print the array, it prints [Lcom.foo.Person;@28a418fc the Array type and it's hashcode.





    If you want to print the person names, there are many ways.



    You could write your own function that iterates each person and prints



    void printPersonArray(Person persons){
    for(Person person: persons){
    System.out.println(person);
    }
    }


    You could print it using Arrays.toString(). This seems the simplest to me.



     System.out.println(Arrays.toString(persons));
    System.out.println(Arrays.deepToString(persons)); // for nested arrays


    You could print it the java 8 way (using streams and method reference).



     Arrays.stream(persons).forEach(System.out::println);


    There might be other ways as well. Hope this helps. :)






    share|improve this answer






























      up vote
      3
      down vote













      If you Directly print any object of Person It will the ClassName@HashCode to the Code.



      in your case com.foo.Person@2f92e0f4 is getting printed . Where Person is a class to which object belongs and 2f92e0f4 is hashCode of the Object.



      public class Person {
      private String name;

      public Person(String name){
      this.name = name;
      }
      // getter/setter omitted

      @override
      public String toString(){
      return name;
      }
      }


      Now if you try to Use the object of Person then it will print the name



      Class Test
      {
      public static void main(String... args){
      Person obj = new Person("YourName");
      System.out.println(obj.toString());
      }
      }





      share|improve this answer




























        up vote
        3
        down vote













        In intellij you can auto generate toString method by pressing alt+inset and then selecting toString() here is an out put for a test class:



        public class test  {
        int a;
        char b;
        String c;
        Test2 test2;

        @Override
        public String toString() {
        return "test{" +
        "a=" + a +
        ", b=" + b +
        ", c='" + c + ''' +
        ", test2=" + test2 +
        '}';
        }
        }


        As you can see, it generates a String by concatenating, several attributes of the class, for primitives it will print their values and for reference types it will use their class type (in this case to string method of Test2).






        share|improve this answer




























          up vote
          2
          down vote













          If you look at the Object class (Parent class of all classes in Java) the toString() method implementation is



              public String toString() {
          return getClass().getName() + "@" + Integer.toHexString(hashCode());
          }


          whenever you print any object in Java then toString() will be call. Now it's up to you if you override toString() then your method will call other Object class method call.






          share|improve this answer




























            up vote
            1
            down vote













            I prefer to use a utility function which uses GSON to de-serialize the Java object into JSON string.



            /**
            * This class provides basic/common functionalities to be applied on Java Objects.
            */
            public final class ObjectUtils {

            private static final Gson GSON = new GsonBuilder().setPrettyPrinting().create();

            private ObjectUtils() {
            throw new UnsupportedOperationException("Instantiation of this class is not permitted in case you are using reflection.");
            }

            /**
            * This method is responsible for de-serializing the Java Object into Json String.
            *
            * @param object Object to be de-serialized.
            * @return String
            */
            public static String deserializeObjectToString(final Object object) {
            return GSON.toJson(object);
            }
            }





            share|improve this answer




























              up vote
              -2
              down vote













              Arrays.deepToString(arrayOfObject)


              Above function print array of object of different primitives.



              [[AAAAA, BBBBB], [6, 12], [2003-04-01 00:00:00.0, 2003-10-01 00:00:00.0], [2003-09-30 00:00:00.0, 2004-03-31 00:00:00.0], [Interim, Interim], [2003-09-30, 2004-03-31]];





              share|improve this answer





















              • This only allows printing primitives, not the complex objects
                – Tim
                Nov 24 '17 at 18:11










              protected by Community Apr 20 '15 at 15:07



              Thank you for your interest in this question.
              Because it has attracted low-quality or spam answers that had to be removed, posting an answer now requires 10 reputation on this site (the association bonus does not count).



              Would you like to answer one of these unanswered questions instead?














              10 Answers
              10






              active

              oldest

              votes








              10 Answers
              10






              active

              oldest

              votes









              active

              oldest

              votes






              active

              oldest

              votes








              up vote
              326
              down vote



              accepted










              Background



              All Java objects have a toString() method, which is invoked when you try and print the object.



              System.out.println(myObject);  // invokes myObject.toString()


              This method is defined in the Object class (the superclass of all Java objects). The Object.toString() method returns a fairly ugly looking string, composed of the name of the class, an @ symbol and the hashcode of the object in hexadecimal. The code for this looks like:



              // Code of Object.toString()
              public String toString() {
              return getClass().getName() + "@" + Integer.toHexString(hashCode());
              }


              A result such as com.foo.MyType@2f92e0f4 can therefore be explained as:





              • com.foo.MyType - the name of the class, i.e. the class is MyType in the package com.foo.


              • @ - joins the string together


              • 2f92e0f4 the hashcode of the object.


              The name of array classes look a little different, which is explained well in the Javadocs for Class.getName(). For instance, [Ljava.lang.String means:





              • [ - an single-dimensional array (as opposed to [[ or [[[ etc.)


              • L - the array contains a class or interface


              • java.lang.String - the type of objects in the array




              Customizing the Output



              To print something different when you call System.out.println(myObject), you must override the toString() method in your own class. Here's a simple example:



              public class Person {

              private String name;

              // constructors and other methods omitted

              @Override
              public String toString() {
              return name;
              }
              }


              Now if we print a Person, we see their name rather than com.foo.Person@12345678.



              Bear in mind that toString() is just one way for an object to be converted to a string. Typically this output should fully describe your object in a clear and concise manner. A better toString() for our Person class might be:



              @Override
              public String toString() {
              return getClass().getSimpleName() + "[name=" + name + "]";
              }


              Which would print, e.g., Person[name=Henry]. That's a really useful piece of data for debugging/testing.



              If you want to focus on just one aspect of your object or include a lot of jazzy formatting, you might be better to define a separate method instead, e.g. String toElegantReport() {...}.





              Auto-generating the Output



              Many IDEs offer support for auto-generating a toString() method, based on the fields in the class. See docs for Eclipse and IntelliJ, for example.



              Several popular Java libraries offer this feature as well. Some examples include:




              • ToStringBuilder from Apache Commons Lang


              • MoreObjects.ToStringHelper from Google Guava


              • @ToString annotation from Project Lombok





              Printing groups of objects



              So you've created a nice toString() for your class. What happens if that class is placed into an array or a collection?



              Arrays



              If you have an array of objects, you can call Arrays.toString() to produce a simple representation of the contents of the array. For instance, consider this array of Person objects:



              Person people = { new Person("Fred"), new Person("Mike") };
              System.out.println(Arrays.toString(people));

              // Prints: [Fred, Mike]


              Note: this is a call to a static method called toString() in the Arrays class, which is different to what we've been discussing above.



              If you have a multi-dimensional array, you can use Arrays.deepToString() to achieve the same sort of output.



              Collections



              Most collections will produce a pretty output based on calling .toString() on every element.



              List<Person> people = new ArrayList<>();
              people.add(new Person("Alice"));
              people.add(new Person("Bob"));
              System.out.println(people);

              // Prints [Alice, Bob]


              So you just need to ensure your list elements define a nice toString() as discussed above.






              share|improve this answer























              • return String.format( getClass().getSimpleName() + "[ name=%s ]", name); and really instead of name it should use the getter getName() (but getters were omitted in the Person class...) but if a getter was used ... return String.format( getClass().getSimpleName() + "[ name=%s ]", getName());
                – CrandellWS
                May 23 '16 at 5:55












              • if i have two classes in java file then how to create object of class which is not public A.java public class A{ } class B{ } ------ C.java public class C{ A a = new A(); }
                – yatinbc
                Oct 10 '16 at 9:22










              • Note that there are overloaded versions of Arrays.toString() so you can use it for arrays of primitives too (int, double). Also Arrays.deepToString() handles multidimensional arrays of primitives nicely.
                – Ole V.V.
                Mar 9 '17 at 15:17















              up vote
              326
              down vote



              accepted










              Background



              All Java objects have a toString() method, which is invoked when you try and print the object.



              System.out.println(myObject);  // invokes myObject.toString()


              This method is defined in the Object class (the superclass of all Java objects). The Object.toString() method returns a fairly ugly looking string, composed of the name of the class, an @ symbol and the hashcode of the object in hexadecimal. The code for this looks like:



              // Code of Object.toString()
              public String toString() {
              return getClass().getName() + "@" + Integer.toHexString(hashCode());
              }


              A result such as com.foo.MyType@2f92e0f4 can therefore be explained as:





              • com.foo.MyType - the name of the class, i.e. the class is MyType in the package com.foo.


              • @ - joins the string together


              • 2f92e0f4 the hashcode of the object.


              The name of array classes look a little different, which is explained well in the Javadocs for Class.getName(). For instance, [Ljava.lang.String means:





              • [ - an single-dimensional array (as opposed to [[ or [[[ etc.)


              • L - the array contains a class or interface


              • java.lang.String - the type of objects in the array




              Customizing the Output



              To print something different when you call System.out.println(myObject), you must override the toString() method in your own class. Here's a simple example:



              public class Person {

              private String name;

              // constructors and other methods omitted

              @Override
              public String toString() {
              return name;
              }
              }


              Now if we print a Person, we see their name rather than com.foo.Person@12345678.



              Bear in mind that toString() is just one way for an object to be converted to a string. Typically this output should fully describe your object in a clear and concise manner. A better toString() for our Person class might be:



              @Override
              public String toString() {
              return getClass().getSimpleName() + "[name=" + name + "]";
              }


              Which would print, e.g., Person[name=Henry]. That's a really useful piece of data for debugging/testing.



              If you want to focus on just one aspect of your object or include a lot of jazzy formatting, you might be better to define a separate method instead, e.g. String toElegantReport() {...}.





              Auto-generating the Output



              Many IDEs offer support for auto-generating a toString() method, based on the fields in the class. See docs for Eclipse and IntelliJ, for example.



              Several popular Java libraries offer this feature as well. Some examples include:




              • ToStringBuilder from Apache Commons Lang


              • MoreObjects.ToStringHelper from Google Guava


              • @ToString annotation from Project Lombok





              Printing groups of objects



              So you've created a nice toString() for your class. What happens if that class is placed into an array or a collection?



              Arrays



              If you have an array of objects, you can call Arrays.toString() to produce a simple representation of the contents of the array. For instance, consider this array of Person objects:



              Person people = { new Person("Fred"), new Person("Mike") };
              System.out.println(Arrays.toString(people));

              // Prints: [Fred, Mike]


              Note: this is a call to a static method called toString() in the Arrays class, which is different to what we've been discussing above.



              If you have a multi-dimensional array, you can use Arrays.deepToString() to achieve the same sort of output.



              Collections



              Most collections will produce a pretty output based on calling .toString() on every element.



              List<Person> people = new ArrayList<>();
              people.add(new Person("Alice"));
              people.add(new Person("Bob"));
              System.out.println(people);

              // Prints [Alice, Bob]


              So you just need to ensure your list elements define a nice toString() as discussed above.






              share|improve this answer























              • return String.format( getClass().getSimpleName() + "[ name=%s ]", name); and really instead of name it should use the getter getName() (but getters were omitted in the Person class...) but if a getter was used ... return String.format( getClass().getSimpleName() + "[ name=%s ]", getName());
                – CrandellWS
                May 23 '16 at 5:55












              • if i have two classes in java file then how to create object of class which is not public A.java public class A{ } class B{ } ------ C.java public class C{ A a = new A(); }
                – yatinbc
                Oct 10 '16 at 9:22










              • Note that there are overloaded versions of Arrays.toString() so you can use it for arrays of primitives too (int, double). Also Arrays.deepToString() handles multidimensional arrays of primitives nicely.
                – Ole V.V.
                Mar 9 '17 at 15:17













              up vote
              326
              down vote



              accepted







              up vote
              326
              down vote



              accepted






              Background



              All Java objects have a toString() method, which is invoked when you try and print the object.



              System.out.println(myObject);  // invokes myObject.toString()


              This method is defined in the Object class (the superclass of all Java objects). The Object.toString() method returns a fairly ugly looking string, composed of the name of the class, an @ symbol and the hashcode of the object in hexadecimal. The code for this looks like:



              // Code of Object.toString()
              public String toString() {
              return getClass().getName() + "@" + Integer.toHexString(hashCode());
              }


              A result such as com.foo.MyType@2f92e0f4 can therefore be explained as:





              • com.foo.MyType - the name of the class, i.e. the class is MyType in the package com.foo.


              • @ - joins the string together


              • 2f92e0f4 the hashcode of the object.


              The name of array classes look a little different, which is explained well in the Javadocs for Class.getName(). For instance, [Ljava.lang.String means:





              • [ - an single-dimensional array (as opposed to [[ or [[[ etc.)


              • L - the array contains a class or interface


              • java.lang.String - the type of objects in the array




              Customizing the Output



              To print something different when you call System.out.println(myObject), you must override the toString() method in your own class. Here's a simple example:



              public class Person {

              private String name;

              // constructors and other methods omitted

              @Override
              public String toString() {
              return name;
              }
              }


              Now if we print a Person, we see their name rather than com.foo.Person@12345678.



              Bear in mind that toString() is just one way for an object to be converted to a string. Typically this output should fully describe your object in a clear and concise manner. A better toString() for our Person class might be:



              @Override
              public String toString() {
              return getClass().getSimpleName() + "[name=" + name + "]";
              }


              Which would print, e.g., Person[name=Henry]. That's a really useful piece of data for debugging/testing.



              If you want to focus on just one aspect of your object or include a lot of jazzy formatting, you might be better to define a separate method instead, e.g. String toElegantReport() {...}.





              Auto-generating the Output



              Many IDEs offer support for auto-generating a toString() method, based on the fields in the class. See docs for Eclipse and IntelliJ, for example.



              Several popular Java libraries offer this feature as well. Some examples include:




              • ToStringBuilder from Apache Commons Lang


              • MoreObjects.ToStringHelper from Google Guava


              • @ToString annotation from Project Lombok





              Printing groups of objects



              So you've created a nice toString() for your class. What happens if that class is placed into an array or a collection?



              Arrays



              If you have an array of objects, you can call Arrays.toString() to produce a simple representation of the contents of the array. For instance, consider this array of Person objects:



              Person people = { new Person("Fred"), new Person("Mike") };
              System.out.println(Arrays.toString(people));

              // Prints: [Fred, Mike]


              Note: this is a call to a static method called toString() in the Arrays class, which is different to what we've been discussing above.



              If you have a multi-dimensional array, you can use Arrays.deepToString() to achieve the same sort of output.



              Collections



              Most collections will produce a pretty output based on calling .toString() on every element.



              List<Person> people = new ArrayList<>();
              people.add(new Person("Alice"));
              people.add(new Person("Bob"));
              System.out.println(people);

              // Prints [Alice, Bob]


              So you just need to ensure your list elements define a nice toString() as discussed above.






              share|improve this answer














              Background



              All Java objects have a toString() method, which is invoked when you try and print the object.



              System.out.println(myObject);  // invokes myObject.toString()


              This method is defined in the Object class (the superclass of all Java objects). The Object.toString() method returns a fairly ugly looking string, composed of the name of the class, an @ symbol and the hashcode of the object in hexadecimal. The code for this looks like:



              // Code of Object.toString()
              public String toString() {
              return getClass().getName() + "@" + Integer.toHexString(hashCode());
              }


              A result such as com.foo.MyType@2f92e0f4 can therefore be explained as:





              • com.foo.MyType - the name of the class, i.e. the class is MyType in the package com.foo.


              • @ - joins the string together


              • 2f92e0f4 the hashcode of the object.


              The name of array classes look a little different, which is explained well in the Javadocs for Class.getName(). For instance, [Ljava.lang.String means:





              • [ - an single-dimensional array (as opposed to [[ or [[[ etc.)


              • L - the array contains a class or interface


              • java.lang.String - the type of objects in the array




              Customizing the Output



              To print something different when you call System.out.println(myObject), you must override the toString() method in your own class. Here's a simple example:



              public class Person {

              private String name;

              // constructors and other methods omitted

              @Override
              public String toString() {
              return name;
              }
              }


              Now if we print a Person, we see their name rather than com.foo.Person@12345678.



              Bear in mind that toString() is just one way for an object to be converted to a string. Typically this output should fully describe your object in a clear and concise manner. A better toString() for our Person class might be:



              @Override
              public String toString() {
              return getClass().getSimpleName() + "[name=" + name + "]";
              }


              Which would print, e.g., Person[name=Henry]. That's a really useful piece of data for debugging/testing.



              If you want to focus on just one aspect of your object or include a lot of jazzy formatting, you might be better to define a separate method instead, e.g. String toElegantReport() {...}.





              Auto-generating the Output



              Many IDEs offer support for auto-generating a toString() method, based on the fields in the class. See docs for Eclipse and IntelliJ, for example.



              Several popular Java libraries offer this feature as well. Some examples include:




              • ToStringBuilder from Apache Commons Lang


              • MoreObjects.ToStringHelper from Google Guava


              • @ToString annotation from Project Lombok





              Printing groups of objects



              So you've created a nice toString() for your class. What happens if that class is placed into an array or a collection?



              Arrays



              If you have an array of objects, you can call Arrays.toString() to produce a simple representation of the contents of the array. For instance, consider this array of Person objects:



              Person people = { new Person("Fred"), new Person("Mike") };
              System.out.println(Arrays.toString(people));

              // Prints: [Fred, Mike]


              Note: this is a call to a static method called toString() in the Arrays class, which is different to what we've been discussing above.



              If you have a multi-dimensional array, you can use Arrays.deepToString() to achieve the same sort of output.



              Collections



              Most collections will produce a pretty output based on calling .toString() on every element.



              List<Person> people = new ArrayList<>();
              people.add(new Person("Alice"));
              people.add(new Person("Bob"));
              System.out.println(people);

              // Prints [Alice, Bob]


              So you just need to ensure your list elements define a nice toString() as discussed above.







              share|improve this answer














              share|improve this answer



              share|improve this answer








              edited Jul 10 '17 at 10:09

























              answered Mar 19 '15 at 8:59









              Duncan Jones

              43.7k16111167




              43.7k16111167












              • return String.format( getClass().getSimpleName() + "[ name=%s ]", name); and really instead of name it should use the getter getName() (but getters were omitted in the Person class...) but if a getter was used ... return String.format( getClass().getSimpleName() + "[ name=%s ]", getName());
                – CrandellWS
                May 23 '16 at 5:55












              • if i have two classes in java file then how to create object of class which is not public A.java public class A{ } class B{ } ------ C.java public class C{ A a = new A(); }
                – yatinbc
                Oct 10 '16 at 9:22










              • Note that there are overloaded versions of Arrays.toString() so you can use it for arrays of primitives too (int, double). Also Arrays.deepToString() handles multidimensional arrays of primitives nicely.
                – Ole V.V.
                Mar 9 '17 at 15:17


















              • return String.format( getClass().getSimpleName() + "[ name=%s ]", name); and really instead of name it should use the getter getName() (but getters were omitted in the Person class...) but if a getter was used ... return String.format( getClass().getSimpleName() + "[ name=%s ]", getName());
                – CrandellWS
                May 23 '16 at 5:55












              • if i have two classes in java file then how to create object of class which is not public A.java public class A{ } class B{ } ------ C.java public class C{ A a = new A(); }
                – yatinbc
                Oct 10 '16 at 9:22










              • Note that there are overloaded versions of Arrays.toString() so you can use it for arrays of primitives too (int, double). Also Arrays.deepToString() handles multidimensional arrays of primitives nicely.
                – Ole V.V.
                Mar 9 '17 at 15:17
















              return String.format( getClass().getSimpleName() + "[ name=%s ]", name); and really instead of name it should use the getter getName() (but getters were omitted in the Person class...) but if a getter was used ... return String.format( getClass().getSimpleName() + "[ name=%s ]", getName());
              – CrandellWS
              May 23 '16 at 5:55






              return String.format( getClass().getSimpleName() + "[ name=%s ]", name); and really instead of name it should use the getter getName() (but getters were omitted in the Person class...) but if a getter was used ... return String.format( getClass().getSimpleName() + "[ name=%s ]", getName());
              – CrandellWS
              May 23 '16 at 5:55














              if i have two classes in java file then how to create object of class which is not public A.java public class A{ } class B{ } ------ C.java public class C{ A a = new A(); }
              – yatinbc
              Oct 10 '16 at 9:22




              if i have two classes in java file then how to create object of class which is not public A.java public class A{ } class B{ } ------ C.java public class C{ A a = new A(); }
              – yatinbc
              Oct 10 '16 at 9:22












              Note that there are overloaded versions of Arrays.toString() so you can use it for arrays of primitives too (int, double). Also Arrays.deepToString() handles multidimensional arrays of primitives nicely.
              – Ole V.V.
              Mar 9 '17 at 15:17




              Note that there are overloaded versions of Arrays.toString() so you can use it for arrays of primitives too (int, double). Also Arrays.deepToString() handles multidimensional arrays of primitives nicely.
              – Ole V.V.
              Mar 9 '17 at 15:17












              up vote
              38
              down vote













              I think apache provides a better util class which provides a function to get the string



              ReflectionToStringBuilder.toString(object)





              share|improve this answer



















              • 2




                This has the advantage that it doesn't require to edit the class, which is sometimes not possible. However, how can I recursively print nested objects too?
                – lukas84
                Mar 23 at 17:16

















              up vote
              38
              down vote













              I think apache provides a better util class which provides a function to get the string



              ReflectionToStringBuilder.toString(object)





              share|improve this answer



















              • 2




                This has the advantage that it doesn't require to edit the class, which is sometimes not possible. However, how can I recursively print nested objects too?
                – lukas84
                Mar 23 at 17:16















              up vote
              38
              down vote










              up vote
              38
              down vote









              I think apache provides a better util class which provides a function to get the string



              ReflectionToStringBuilder.toString(object)





              share|improve this answer














              I think apache provides a better util class which provides a function to get the string



              ReflectionToStringBuilder.toString(object)






              share|improve this answer














              share|improve this answer



              share|improve this answer








              edited Apr 16 '15 at 20:29









              Kyle Decot

              8,21029116212




              8,21029116212










              answered Apr 15 '15 at 13:31









              Rohith K

              772612




              772612








              • 2




                This has the advantage that it doesn't require to edit the class, which is sometimes not possible. However, how can I recursively print nested objects too?
                – lukas84
                Mar 23 at 17:16
















              • 2




                This has the advantage that it doesn't require to edit the class, which is sometimes not possible. However, how can I recursively print nested objects too?
                – lukas84
                Mar 23 at 17:16










              2




              2




              This has the advantage that it doesn't require to edit the class, which is sometimes not possible. However, how can I recursively print nested objects too?
              – lukas84
              Mar 23 at 17:16






              This has the advantage that it doesn't require to edit the class, which is sometimes not possible. However, how can I recursively print nested objects too?
              – lukas84
              Mar 23 at 17:16












              up vote
              24
              down vote













              Every class in Java has the toString() method in it by default, which is called if you pass some object of that class to System.out.println(). By default, this call returns the className@hashcode of that object.



              {
              SomeClass sc = new SomeClass();
              // Class @ followed by hashcode of object in Hexadecimal
              System.out.println(sc);
              }


              You can override the toString method of a class to get different output. See this example



              class A {
              String s = "I am just a object";
              @Override
              public String toString()
              {
              return s;
              }
              }

              class B {
              public static void main(String args)
              {
              A obj = new A();
              System.out.println(obj);
              }
              }





              share|improve this answer



















              • 1




                This is a well-put and short answer, but to clarify why OP is getting [Lcom.foo.Person;@28a418fc as output: that's the output of toString() method, too, but of the one that is implemented in the class that is generated at runtime for the type Person, not Person (see stackoverflow.com/a/8546532/1542343).
                – gvlasov
                Mar 24 '15 at 21:28












              • This output means package.Class@Hashcode . The default toString() method has return type like. return Object.hasCode() or some similar return statement which is returning hashcode in hexadecimal form along with class name.
                – Pankaj Manali
                Mar 25 '15 at 14:03

















              up vote
              24
              down vote













              Every class in Java has the toString() method in it by default, which is called if you pass some object of that class to System.out.println(). By default, this call returns the className@hashcode of that object.



              {
              SomeClass sc = new SomeClass();
              // Class @ followed by hashcode of object in Hexadecimal
              System.out.println(sc);
              }


              You can override the toString method of a class to get different output. See this example



              class A {
              String s = "I am just a object";
              @Override
              public String toString()
              {
              return s;
              }
              }

              class B {
              public static void main(String args)
              {
              A obj = new A();
              System.out.println(obj);
              }
              }





              share|improve this answer



















              • 1




                This is a well-put and short answer, but to clarify why OP is getting [Lcom.foo.Person;@28a418fc as output: that's the output of toString() method, too, but of the one that is implemented in the class that is generated at runtime for the type Person, not Person (see stackoverflow.com/a/8546532/1542343).
                – gvlasov
                Mar 24 '15 at 21:28












              • This output means package.Class@Hashcode . The default toString() method has return type like. return Object.hasCode() or some similar return statement which is returning hashcode in hexadecimal form along with class name.
                – Pankaj Manali
                Mar 25 '15 at 14:03















              up vote
              24
              down vote










              up vote
              24
              down vote









              Every class in Java has the toString() method in it by default, which is called if you pass some object of that class to System.out.println(). By default, this call returns the className@hashcode of that object.



              {
              SomeClass sc = new SomeClass();
              // Class @ followed by hashcode of object in Hexadecimal
              System.out.println(sc);
              }


              You can override the toString method of a class to get different output. See this example



              class A {
              String s = "I am just a object";
              @Override
              public String toString()
              {
              return s;
              }
              }

              class B {
              public static void main(String args)
              {
              A obj = new A();
              System.out.println(obj);
              }
              }





              share|improve this answer














              Every class in Java has the toString() method in it by default, which is called if you pass some object of that class to System.out.println(). By default, this call returns the className@hashcode of that object.



              {
              SomeClass sc = new SomeClass();
              // Class @ followed by hashcode of object in Hexadecimal
              System.out.println(sc);
              }


              You can override the toString method of a class to get different output. See this example



              class A {
              String s = "I am just a object";
              @Override
              public String toString()
              {
              return s;
              }
              }

              class B {
              public static void main(String args)
              {
              A obj = new A();
              System.out.println(obj);
              }
              }






              share|improve this answer














              share|improve this answer



              share|improve this answer








              edited Nov 9 at 6:44









              TechnicallyTrue

              233




              233










              answered Mar 19 '15 at 10:04









              Pankaj Manali

              427314




              427314








              • 1




                This is a well-put and short answer, but to clarify why OP is getting [Lcom.foo.Person;@28a418fc as output: that's the output of toString() method, too, but of the one that is implemented in the class that is generated at runtime for the type Person, not Person (see stackoverflow.com/a/8546532/1542343).
                – gvlasov
                Mar 24 '15 at 21:28












              • This output means package.Class@Hashcode . The default toString() method has return type like. return Object.hasCode() or some similar return statement which is returning hashcode in hexadecimal form along with class name.
                – Pankaj Manali
                Mar 25 '15 at 14:03
















              • 1




                This is a well-put and short answer, but to clarify why OP is getting [Lcom.foo.Person;@28a418fc as output: that's the output of toString() method, too, but of the one that is implemented in the class that is generated at runtime for the type Person, not Person (see stackoverflow.com/a/8546532/1542343).
                – gvlasov
                Mar 24 '15 at 21:28












              • This output means package.Class@Hashcode . The default toString() method has return type like. return Object.hasCode() or some similar return statement which is returning hashcode in hexadecimal form along with class name.
                – Pankaj Manali
                Mar 25 '15 at 14:03










              1




              1




              This is a well-put and short answer, but to clarify why OP is getting [Lcom.foo.Person;@28a418fc as output: that's the output of toString() method, too, but of the one that is implemented in the class that is generated at runtime for the type Person, not Person (see stackoverflow.com/a/8546532/1542343).
              – gvlasov
              Mar 24 '15 at 21:28






              This is a well-put and short answer, but to clarify why OP is getting [Lcom.foo.Person;@28a418fc as output: that's the output of toString() method, too, but of the one that is implemented in the class that is generated at runtime for the type Person, not Person (see stackoverflow.com/a/8546532/1542343).
              – gvlasov
              Mar 24 '15 at 21:28














              This output means package.Class@Hashcode . The default toString() method has return type like. return Object.hasCode() or some similar return statement which is returning hashcode in hexadecimal form along with class name.
              – Pankaj Manali
              Mar 25 '15 at 14:03






              This output means package.Class@Hashcode . The default toString() method has return type like. return Object.hasCode() or some similar return statement which is returning hashcode in hexadecimal form along with class name.
              – Pankaj Manali
              Mar 25 '15 at 14:03












              up vote
              8
              down vote













              In Eclipse,
              Go to your class,
              Right click->source->Generate toString();



              It will override the toString() method and will print the object of that class.






              share|improve this answer



























                up vote
                8
                down vote













                In Eclipse,
                Go to your class,
                Right click->source->Generate toString();



                It will override the toString() method and will print the object of that class.






                share|improve this answer

























                  up vote
                  8
                  down vote










                  up vote
                  8
                  down vote









                  In Eclipse,
                  Go to your class,
                  Right click->source->Generate toString();



                  It will override the toString() method and will print the object of that class.






                  share|improve this answer














                  In Eclipse,
                  Go to your class,
                  Right click->source->Generate toString();



                  It will override the toString() method and will print the object of that class.







                  share|improve this answer














                  share|improve this answer



                  share|improve this answer








                  edited Oct 30 '17 at 5:29

























                  answered Apr 21 '16 at 13:45









                  Ketan Keshri

                  1,31311423




                  1,31311423






















                      up vote
                      4
                      down vote













                      By default, every Object in Java has the toString() method which outputs the ObjectType@HashCode.



                      If you want more meaningfull information then you need to override the toString() method in your class.



                      public class Person {
                      private String name;

                      // constructor and getter/setter omitted

                      // overridding toString() to print name
                      public String toString(){
                      return name;
                      }
                      }


                      Now when you print the person object using System.out.prtinln(personObj); it will print the name of the person instead of the classname and hashcode.



                      In your second case when you are trying to print the array, it prints [Lcom.foo.Person;@28a418fc the Array type and it's hashcode.





                      If you want to print the person names, there are many ways.



                      You could write your own function that iterates each person and prints



                      void printPersonArray(Person persons){
                      for(Person person: persons){
                      System.out.println(person);
                      }
                      }


                      You could print it using Arrays.toString(). This seems the simplest to me.



                       System.out.println(Arrays.toString(persons));
                      System.out.println(Arrays.deepToString(persons)); // for nested arrays


                      You could print it the java 8 way (using streams and method reference).



                       Arrays.stream(persons).forEach(System.out::println);


                      There might be other ways as well. Hope this helps. :)






                      share|improve this answer



























                        up vote
                        4
                        down vote













                        By default, every Object in Java has the toString() method which outputs the ObjectType@HashCode.



                        If you want more meaningfull information then you need to override the toString() method in your class.



                        public class Person {
                        private String name;

                        // constructor and getter/setter omitted

                        // overridding toString() to print name
                        public String toString(){
                        return name;
                        }
                        }


                        Now when you print the person object using System.out.prtinln(personObj); it will print the name of the person instead of the classname and hashcode.



                        In your second case when you are trying to print the array, it prints [Lcom.foo.Person;@28a418fc the Array type and it's hashcode.





                        If you want to print the person names, there are many ways.



                        You could write your own function that iterates each person and prints



                        void printPersonArray(Person persons){
                        for(Person person: persons){
                        System.out.println(person);
                        }
                        }


                        You could print it using Arrays.toString(). This seems the simplest to me.



                         System.out.println(Arrays.toString(persons));
                        System.out.println(Arrays.deepToString(persons)); // for nested arrays


                        You could print it the java 8 way (using streams and method reference).



                         Arrays.stream(persons).forEach(System.out::println);


                        There might be other ways as well. Hope this helps. :)






                        share|improve this answer

























                          up vote
                          4
                          down vote










                          up vote
                          4
                          down vote









                          By default, every Object in Java has the toString() method which outputs the ObjectType@HashCode.



                          If you want more meaningfull information then you need to override the toString() method in your class.



                          public class Person {
                          private String name;

                          // constructor and getter/setter omitted

                          // overridding toString() to print name
                          public String toString(){
                          return name;
                          }
                          }


                          Now when you print the person object using System.out.prtinln(personObj); it will print the name of the person instead of the classname and hashcode.



                          In your second case when you are trying to print the array, it prints [Lcom.foo.Person;@28a418fc the Array type and it's hashcode.





                          If you want to print the person names, there are many ways.



                          You could write your own function that iterates each person and prints



                          void printPersonArray(Person persons){
                          for(Person person: persons){
                          System.out.println(person);
                          }
                          }


                          You could print it using Arrays.toString(). This seems the simplest to me.



                           System.out.println(Arrays.toString(persons));
                          System.out.println(Arrays.deepToString(persons)); // for nested arrays


                          You could print it the java 8 way (using streams and method reference).



                           Arrays.stream(persons).forEach(System.out::println);


                          There might be other ways as well. Hope this helps. :)






                          share|improve this answer














                          By default, every Object in Java has the toString() method which outputs the ObjectType@HashCode.



                          If you want more meaningfull information then you need to override the toString() method in your class.



                          public class Person {
                          private String name;

                          // constructor and getter/setter omitted

                          // overridding toString() to print name
                          public String toString(){
                          return name;
                          }
                          }


                          Now when you print the person object using System.out.prtinln(personObj); it will print the name of the person instead of the classname and hashcode.



                          In your second case when you are trying to print the array, it prints [Lcom.foo.Person;@28a418fc the Array type and it's hashcode.





                          If you want to print the person names, there are many ways.



                          You could write your own function that iterates each person and prints



                          void printPersonArray(Person persons){
                          for(Person person: persons){
                          System.out.println(person);
                          }
                          }


                          You could print it using Arrays.toString(). This seems the simplest to me.



                           System.out.println(Arrays.toString(persons));
                          System.out.println(Arrays.deepToString(persons)); // for nested arrays


                          You could print it the java 8 way (using streams and method reference).



                           Arrays.stream(persons).forEach(System.out::println);


                          There might be other ways as well. Hope this helps. :)







                          share|improve this answer














                          share|improve this answer



                          share|improve this answer








                          edited Feb 1 at 7:47









                          ayushgp

                          2,15332046




                          2,15332046










                          answered Dec 2 '17 at 16:23









                          adn.911

                          5581621




                          5581621






















                              up vote
                              3
                              down vote













                              If you Directly print any object of Person It will the ClassName@HashCode to the Code.



                              in your case com.foo.Person@2f92e0f4 is getting printed . Where Person is a class to which object belongs and 2f92e0f4 is hashCode of the Object.



                              public class Person {
                              private String name;

                              public Person(String name){
                              this.name = name;
                              }
                              // getter/setter omitted

                              @override
                              public String toString(){
                              return name;
                              }
                              }


                              Now if you try to Use the object of Person then it will print the name



                              Class Test
                              {
                              public static void main(String... args){
                              Person obj = new Person("YourName");
                              System.out.println(obj.toString());
                              }
                              }





                              share|improve this answer

























                                up vote
                                3
                                down vote













                                If you Directly print any object of Person It will the ClassName@HashCode to the Code.



                                in your case com.foo.Person@2f92e0f4 is getting printed . Where Person is a class to which object belongs and 2f92e0f4 is hashCode of the Object.



                                public class Person {
                                private String name;

                                public Person(String name){
                                this.name = name;
                                }
                                // getter/setter omitted

                                @override
                                public String toString(){
                                return name;
                                }
                                }


                                Now if you try to Use the object of Person then it will print the name



                                Class Test
                                {
                                public static void main(String... args){
                                Person obj = new Person("YourName");
                                System.out.println(obj.toString());
                                }
                                }





                                share|improve this answer























                                  up vote
                                  3
                                  down vote










                                  up vote
                                  3
                                  down vote









                                  If you Directly print any object of Person It will the ClassName@HashCode to the Code.



                                  in your case com.foo.Person@2f92e0f4 is getting printed . Where Person is a class to which object belongs and 2f92e0f4 is hashCode of the Object.



                                  public class Person {
                                  private String name;

                                  public Person(String name){
                                  this.name = name;
                                  }
                                  // getter/setter omitted

                                  @override
                                  public String toString(){
                                  return name;
                                  }
                                  }


                                  Now if you try to Use the object of Person then it will print the name



                                  Class Test
                                  {
                                  public static void main(String... args){
                                  Person obj = new Person("YourName");
                                  System.out.println(obj.toString());
                                  }
                                  }





                                  share|improve this answer












                                  If you Directly print any object of Person It will the ClassName@HashCode to the Code.



                                  in your case com.foo.Person@2f92e0f4 is getting printed . Where Person is a class to which object belongs and 2f92e0f4 is hashCode of the Object.



                                  public class Person {
                                  private String name;

                                  public Person(String name){
                                  this.name = name;
                                  }
                                  // getter/setter omitted

                                  @override
                                  public String toString(){
                                  return name;
                                  }
                                  }


                                  Now if you try to Use the object of Person then it will print the name



                                  Class Test
                                  {
                                  public static void main(String... args){
                                  Person obj = new Person("YourName");
                                  System.out.println(obj.toString());
                                  }
                                  }






                                  share|improve this answer












                                  share|improve this answer



                                  share|improve this answer










                                  answered May 6 '16 at 11:22









                                  Vikrant Kashyap

                                  3,41411334




                                  3,41411334






















                                      up vote
                                      3
                                      down vote













                                      In intellij you can auto generate toString method by pressing alt+inset and then selecting toString() here is an out put for a test class:



                                      public class test  {
                                      int a;
                                      char b;
                                      String c;
                                      Test2 test2;

                                      @Override
                                      public String toString() {
                                      return "test{" +
                                      "a=" + a +
                                      ", b=" + b +
                                      ", c='" + c + ''' +
                                      ", test2=" + test2 +
                                      '}';
                                      }
                                      }


                                      As you can see, it generates a String by concatenating, several attributes of the class, for primitives it will print their values and for reference types it will use their class type (in this case to string method of Test2).






                                      share|improve this answer

























                                        up vote
                                        3
                                        down vote













                                        In intellij you can auto generate toString method by pressing alt+inset and then selecting toString() here is an out put for a test class:



                                        public class test  {
                                        int a;
                                        char b;
                                        String c;
                                        Test2 test2;

                                        @Override
                                        public String toString() {
                                        return "test{" +
                                        "a=" + a +
                                        ", b=" + b +
                                        ", c='" + c + ''' +
                                        ", test2=" + test2 +
                                        '}';
                                        }
                                        }


                                        As you can see, it generates a String by concatenating, several attributes of the class, for primitives it will print their values and for reference types it will use their class type (in this case to string method of Test2).






                                        share|improve this answer























                                          up vote
                                          3
                                          down vote










                                          up vote
                                          3
                                          down vote









                                          In intellij you can auto generate toString method by pressing alt+inset and then selecting toString() here is an out put for a test class:



                                          public class test  {
                                          int a;
                                          char b;
                                          String c;
                                          Test2 test2;

                                          @Override
                                          public String toString() {
                                          return "test{" +
                                          "a=" + a +
                                          ", b=" + b +
                                          ", c='" + c + ''' +
                                          ", test2=" + test2 +
                                          '}';
                                          }
                                          }


                                          As you can see, it generates a String by concatenating, several attributes of the class, for primitives it will print their values and for reference types it will use their class type (in this case to string method of Test2).






                                          share|improve this answer












                                          In intellij you can auto generate toString method by pressing alt+inset and then selecting toString() here is an out put for a test class:



                                          public class test  {
                                          int a;
                                          char b;
                                          String c;
                                          Test2 test2;

                                          @Override
                                          public String toString() {
                                          return "test{" +
                                          "a=" + a +
                                          ", b=" + b +
                                          ", c='" + c + ''' +
                                          ", test2=" + test2 +
                                          '}';
                                          }
                                          }


                                          As you can see, it generates a String by concatenating, several attributes of the class, for primitives it will print their values and for reference types it will use their class type (in this case to string method of Test2).







                                          share|improve this answer












                                          share|improve this answer



                                          share|improve this answer










                                          answered Jul 28 '16 at 6:00









                                          NԀƎ

                                          1,77511826




                                          1,77511826






















                                              up vote
                                              2
                                              down vote













                                              If you look at the Object class (Parent class of all classes in Java) the toString() method implementation is



                                                  public String toString() {
                                              return getClass().getName() + "@" + Integer.toHexString(hashCode());
                                              }


                                              whenever you print any object in Java then toString() will be call. Now it's up to you if you override toString() then your method will call other Object class method call.






                                              share|improve this answer

























                                                up vote
                                                2
                                                down vote













                                                If you look at the Object class (Parent class of all classes in Java) the toString() method implementation is



                                                    public String toString() {
                                                return getClass().getName() + "@" + Integer.toHexString(hashCode());
                                                }


                                                whenever you print any object in Java then toString() will be call. Now it's up to you if you override toString() then your method will call other Object class method call.






                                                share|improve this answer























                                                  up vote
                                                  2
                                                  down vote










                                                  up vote
                                                  2
                                                  down vote









                                                  If you look at the Object class (Parent class of all classes in Java) the toString() method implementation is



                                                      public String toString() {
                                                  return getClass().getName() + "@" + Integer.toHexString(hashCode());
                                                  }


                                                  whenever you print any object in Java then toString() will be call. Now it's up to you if you override toString() then your method will call other Object class method call.






                                                  share|improve this answer












                                                  If you look at the Object class (Parent class of all classes in Java) the toString() method implementation is



                                                      public String toString() {
                                                  return getClass().getName() + "@" + Integer.toHexString(hashCode());
                                                  }


                                                  whenever you print any object in Java then toString() will be call. Now it's up to you if you override toString() then your method will call other Object class method call.







                                                  share|improve this answer












                                                  share|improve this answer



                                                  share|improve this answer










                                                  answered Mar 27 '17 at 6:21









                                                  Yasir Shabbir Choudhary

                                                  2,0222126




                                                  2,0222126






















                                                      up vote
                                                      1
                                                      down vote













                                                      I prefer to use a utility function which uses GSON to de-serialize the Java object into JSON string.



                                                      /**
                                                      * This class provides basic/common functionalities to be applied on Java Objects.
                                                      */
                                                      public final class ObjectUtils {

                                                      private static final Gson GSON = new GsonBuilder().setPrettyPrinting().create();

                                                      private ObjectUtils() {
                                                      throw new UnsupportedOperationException("Instantiation of this class is not permitted in case you are using reflection.");
                                                      }

                                                      /**
                                                      * This method is responsible for de-serializing the Java Object into Json String.
                                                      *
                                                      * @param object Object to be de-serialized.
                                                      * @return String
                                                      */
                                                      public static String deserializeObjectToString(final Object object) {
                                                      return GSON.toJson(object);
                                                      }
                                                      }





                                                      share|improve this answer

























                                                        up vote
                                                        1
                                                        down vote













                                                        I prefer to use a utility function which uses GSON to de-serialize the Java object into JSON string.



                                                        /**
                                                        * This class provides basic/common functionalities to be applied on Java Objects.
                                                        */
                                                        public final class ObjectUtils {

                                                        private static final Gson GSON = new GsonBuilder().setPrettyPrinting().create();

                                                        private ObjectUtils() {
                                                        throw new UnsupportedOperationException("Instantiation of this class is not permitted in case you are using reflection.");
                                                        }

                                                        /**
                                                        * This method is responsible for de-serializing the Java Object into Json String.
                                                        *
                                                        * @param object Object to be de-serialized.
                                                        * @return String
                                                        */
                                                        public static String deserializeObjectToString(final Object object) {
                                                        return GSON.toJson(object);
                                                        }
                                                        }





                                                        share|improve this answer























                                                          up vote
                                                          1
                                                          down vote










                                                          up vote
                                                          1
                                                          down vote









                                                          I prefer to use a utility function which uses GSON to de-serialize the Java object into JSON string.



                                                          /**
                                                          * This class provides basic/common functionalities to be applied on Java Objects.
                                                          */
                                                          public final class ObjectUtils {

                                                          private static final Gson GSON = new GsonBuilder().setPrettyPrinting().create();

                                                          private ObjectUtils() {
                                                          throw new UnsupportedOperationException("Instantiation of this class is not permitted in case you are using reflection.");
                                                          }

                                                          /**
                                                          * This method is responsible for de-serializing the Java Object into Json String.
                                                          *
                                                          * @param object Object to be de-serialized.
                                                          * @return String
                                                          */
                                                          public static String deserializeObjectToString(final Object object) {
                                                          return GSON.toJson(object);
                                                          }
                                                          }





                                                          share|improve this answer












                                                          I prefer to use a utility function which uses GSON to de-serialize the Java object into JSON string.



                                                          /**
                                                          * This class provides basic/common functionalities to be applied on Java Objects.
                                                          */
                                                          public final class ObjectUtils {

                                                          private static final Gson GSON = new GsonBuilder().setPrettyPrinting().create();

                                                          private ObjectUtils() {
                                                          throw new UnsupportedOperationException("Instantiation of this class is not permitted in case you are using reflection.");
                                                          }

                                                          /**
                                                          * This method is responsible for de-serializing the Java Object into Json String.
                                                          *
                                                          * @param object Object to be de-serialized.
                                                          * @return String
                                                          */
                                                          public static String deserializeObjectToString(final Object object) {
                                                          return GSON.toJson(object);
                                                          }
                                                          }






                                                          share|improve this answer












                                                          share|improve this answer



                                                          share|improve this answer










                                                          answered Oct 9 at 12:18









                                                          Agam

                                                          43547




                                                          43547






















                                                              up vote
                                                              -2
                                                              down vote













                                                              Arrays.deepToString(arrayOfObject)


                                                              Above function print array of object of different primitives.



                                                              [[AAAAA, BBBBB], [6, 12], [2003-04-01 00:00:00.0, 2003-10-01 00:00:00.0], [2003-09-30 00:00:00.0, 2004-03-31 00:00:00.0], [Interim, Interim], [2003-09-30, 2004-03-31]];





                                                              share|improve this answer





















                                                              • This only allows printing primitives, not the complex objects
                                                                – Tim
                                                                Nov 24 '17 at 18:11















                                                              up vote
                                                              -2
                                                              down vote













                                                              Arrays.deepToString(arrayOfObject)


                                                              Above function print array of object of different primitives.



                                                              [[AAAAA, BBBBB], [6, 12], [2003-04-01 00:00:00.0, 2003-10-01 00:00:00.0], [2003-09-30 00:00:00.0, 2004-03-31 00:00:00.0], [Interim, Interim], [2003-09-30, 2004-03-31]];





                                                              share|improve this answer





















                                                              • This only allows printing primitives, not the complex objects
                                                                – Tim
                                                                Nov 24 '17 at 18:11













                                                              up vote
                                                              -2
                                                              down vote










                                                              up vote
                                                              -2
                                                              down vote









                                                              Arrays.deepToString(arrayOfObject)


                                                              Above function print array of object of different primitives.



                                                              [[AAAAA, BBBBB], [6, 12], [2003-04-01 00:00:00.0, 2003-10-01 00:00:00.0], [2003-09-30 00:00:00.0, 2004-03-31 00:00:00.0], [Interim, Interim], [2003-09-30, 2004-03-31]];





                                                              share|improve this answer












                                                              Arrays.deepToString(arrayOfObject)


                                                              Above function print array of object of different primitives.



                                                              [[AAAAA, BBBBB], [6, 12], [2003-04-01 00:00:00.0, 2003-10-01 00:00:00.0], [2003-09-30 00:00:00.0, 2004-03-31 00:00:00.0], [Interim, Interim], [2003-09-30, 2004-03-31]];






                                                              share|improve this answer












                                                              share|improve this answer



                                                              share|improve this answer










                                                              answered Jul 7 '17 at 14:06









                                                              Hemant Thorat

                                                              765810




                                                              765810












                                                              • This only allows printing primitives, not the complex objects
                                                                – Tim
                                                                Nov 24 '17 at 18:11


















                                                              • This only allows printing primitives, not the complex objects
                                                                – Tim
                                                                Nov 24 '17 at 18:11
















                                                              This only allows printing primitives, not the complex objects
                                                              – Tim
                                                              Nov 24 '17 at 18:11




                                                              This only allows printing primitives, not the complex objects
                                                              – Tim
                                                              Nov 24 '17 at 18:11





                                                              protected by Community Apr 20 '15 at 15:07



                                                              Thank you for your interest in this question.
                                                              Because it has attracted low-quality or spam answers that had to be removed, posting an answer now requires 10 reputation on this site (the association bonus does not count).



                                                              Would you like to answer one of these unanswered questions instead?



                                                              GRPpX u1Qrac,kXn9V,Fb,sIxEsfZ4YFrZV2Sh bczxsJ,K yXNG0fB 0j3nXcWKpzHOtFZ7
                                                              iMeV,eH OSe4Hwk2EHL8YdI5A6i

                                                              Popular posts from this blog

                                                              Berounka

                                                              Sphinx de Gizeh

                                                              Mécislas Golberg