JDK 源码解析 —— Object
2018-05-19 本文已影响6人
01_小小鱼_01
在Java语言中,所有的类都是继承了java.lang.Object类的。
public class Object {
// 类加载的时候会先执行registerNatives方法,该方法是在java.dll中实现的
private static native void registerNatives();
static {
registerNatives();
}
// 通过该方法或以获取类的元数据和方法信息。它能够获取一个类的定义信息,然后使用反射去访问类的全部信息,包括函数和字段。
public final native Class<?> getClass();
// 返回该对象的哈希码值
public native int hashCode();
// 比较两个对象是否相等
// ==表示的是变量值完成相同(对于基础类型,地址中存储的是值,引用类型则存储指向实际对象的地址)
// 重写equals()方法必须重写hasCode()方法。
public boolean equals(Object obj) {
return (this == obj);
}
// 被protected修饰,只能在本类或其子类中调用,Java的类要实现克隆则需要实现Cloneable接口,
// 可以看到该方法会抛出一个CloneNotSupportedException异常,如果没有实现Cloneable接口而调用了clone方法,系统就会抛出这个异常。
protected native Object clone() throws CloneNotSupportedException;
public String toString() {
return getClass().getName() + "@" + Integer.toHexString(hashCode());
}
// 此方法用来唤醒单个线程
public final native void notify();
// 唤醒的是所有的线程
public final native void notifyAll();
public final native void wait(long timeout) throws InterruptedException;
public final void wait(long timeout, int nanos) throws InterruptedException {
if (timeout < 0) {
throw new IllegalArgumentException("timeout value is negative");
}
if (nanos < 0 || nanos > 999999) {
throw new IllegalArgumentException(
"nanosecond timeout value out of range");
}
if (nanos > 0) {
timeout++;
}
wait(timeout);
}
public final void wait() throws InterruptedException {
wait(0);
}
// 用于当对象被回收时调用
protected void finalize() throws Throwable { }
参考文章
1. JDK源码之Object类详解