1.Object类
Object类是所有类的父类,如果一个类没有明确继承的父类那么他就是Object的子类
方法
hashCode
public native int hashCode();
返回对象的哈希值,可以提高哈希结构容器的效率。
两个引用指向同一对象则哈希值一样
A a1 = new A();
A a2 = a1;
System.out.println(a1.hashCode());//23934342
System.out.println(a2.hashCode());//23934342
哈希值主要根据地址来的,但哈希值不是地址。
equals
public boolean equals(Object obj) {
return (this == obj);
}
判断两个对象是否相等。
equals和==的区别:
==:如果比较的是八种基本类型(byte,short,int,long,double,float,boolean,char),则比较的是值是否相等。如果比较的是引用类型,则比较地址是否相同。
equals:equals在Object类里和==没区别,但不能作用于基本类型。默认情况下比较的是引用类型的地址,一般会根据需求重写,例如String类里比较的是值
public boolean equals(Object anObject) {
if (this == anObject) {
return true;
}
if (anObject instanceof String) {
String anotherString = (String)anObject;
int n = value.length;
if (n == anotherString.value.length) {
char v1[] = value;
char v2[] = anotherString.value;
int i = 0;
while (n-- != 0) {
if (v1[i] != v2[i])
return false;
i++;
}
return true;
}
}
return false;
}
clone
protected native Object clone() throws CloneNotSupportedException;
实现对象的浅复制,对任何的对象x,都有x.clone() !=x (克隆对象与原对象不是同一个对象)
x.clone().getClass() == x.getClass() (克隆对象与原对象的类型一样,如果对象x的equals()方法定义合适,那么x.clone().equals(x)成立。
如果在clone方法中调用super.clone()方法需要实现Cloneable接口,否则会抛出CloneNotSupportedException。
此方法只实现了一个浅复制,对于基本类型字段能成功复制,但是如果是嵌套对象,只做了赋值,也就是只把地址复制了,需要自己重写clone方法进行深复制。
toString
public String toString() {
return getClass().getName() + "@" + Integer.toHexString(hashCode());
}
返回一个String字符串来描述对象的信息,默认返回的是当前对象的类名+hashCode的16进制数字,一般会重写。
notify
public final native void notify();
多线程使用一个对象时,为保证线程安全,一个线程使用这个对象的时候会加锁,其余线程需要等待,当前线程使用完之后,使用notify唤醒等待的某个线程。
6.notifyAll
public final native void notifyAll();
同上,唤醒所有等待的线程。
7.wait
public final native void wait(long timeout) throws InterruptedException;
1 public final void wait(long timeout, int nanos) throws InterruptedException {
2 if (timeout < 0) {
3 throw new IllegalArgumentException("timeout value is negative");
4 }
5
6 if (nanos < 0 || nanos > 999999) {
7 throw new IllegalArgumentException(
8 "nanosecond timeout value out of range");
9 }
10
11 if (nanos > 0) {
12 timeout++;
13 }
14
15 wait(timeout);
16 }
1 public final void wait() throws InterruptedException {
2 wait(0);
3 }
使对象进入等待状态,同时也会释放对象拥有的锁,直到当前对象被唤醒,或者被中断。