面向对象同通识13(_toStringequals

toString方法

  1. public class Apple {
  2. private String color;
  3. private double weight;
  4. public Apple(){
  5. }
  6. public void setColor(String color){
  7. this.color=color;
  8. }
  9. public String getColor(){
  10. return this.color;
  11. }
  12. public void setWeight(double weight){
  13. this.weight=weight;
  14. }
  15. public double getWeight(){
  16. return this.weight;
  17. }
  18. }
  1. public class AppleTest {
  2. public static void main(String[] args) {
  3. Apple gtn = new Apple();
  4. System.out.println(gtn);
  5. System.out.println(gtn.toString());//与上一句效果相同
  6. //程序打印对象,或者将对象自动转化为字符串的时候,实际上用的都是该对象将的`toString`方法的返回值
  7. }
  8. }
  9. /*
  10. toString.Apple@776ec8df
  11. toString.Apple@776ec8df
  12. */

默认的toStringObject提供的toString方法返回: 类名@hashCode方法返回值

重写toString:在上述Apple类增加重写方法

  1. public String toString(){
  2. return color+"\n"+weight;
  3. }

此时AppleTest类将返回:

  1. /*
  2. null
  3. 0.0
  4. */

equals方法

==运算符如果判断两个引用类型的变量,要求两个引用变量指向同一个对象时,才会返回true

  1. public class AppleTest {
  2. public static void main(String[] args) {
  3. Apple g1=new Apple();
  4. Apple g2=new Apple();
  5. System.out.println(g1==g2);
  6. }
  7. }
  8. /*
  9. false
  10. */

此时需要Object类中的equals方法来判断从而达到需求,

默认的equals方法判断和==运算符功能完全相同

此时需要重写equals方法来提供两个对象相等的标准

Apple类中的重写方法如下:

  1. public boolean equals(Object obj){
  2. //如果二者指向同一对象
  3. if(this==obj){
  4. return true;
  5. }
  6. //obj必须是Goat类型并且不为空
  7. if (obj!=null&&obj.getClass()==Goat.class){
  8. Goat target=(Goat) obj;
  9. return this.color.equals(((Goat) obj).color)&&this.weight==target.weight;
  10. //对于此处判断引用类型的color,见下文例str
  11. }
  12. else {
  13. return false;
  14. }
  15. }

Str

  1. public class Str {
  2. public static void main(String[] args) {
  3. String a=new String("233");
  4. String b=new String("233");
  5. System.out.println(a==b);
  6. //String类已经重写equals方法,重写后当两个字符串字符内容相等就会返回true
  7. System.out.println(a.equals(b));
  8. }
  9. }

此时就可以判断Apple类中的color变量了

  1. public class AppleTest {
  2. public static void main(String[] args) {
  3. Apple g1=new Apple();
  4. Apple g2=new Apple();
  5. System.out.println(g1==g2);
  6. System.out.println(g1.equals(g2));
  7. }
  8. }
  9. /*
  10. false
  11. true
  12. */

在实际运用中,用来作为equals比较的成员变量——挑选关键的比较即可。