杀鸡焉用牛刀 发表于 2023-6-12 21:35:36

Object源码阅读

Object源码阅读

native:本地栈方法,使用C语言中实现的方法。
package java.lang;

public class Object {
        //注册本地方法
    private static native void registerNatives();
    static {
      registerNatives();
    }

    //返回Object对象的class
    public final native Class<?> getClass();

    //根据Object对象的内存地址计算hash值
    public native int hashCode();

    //比较两个对象内存地址是否相同
    public boolean equals(Object obj) {
      return (this == obj);
    }

    //浅拷贝:指针的拷贝,指针指向同一内存地址,如:Object obj1 = obj;
    //深拷贝:对象的拷贝
    //对象拷贝,深拷贝(内存地址不同)
    protected native Object clone() throws CloneNotSupportedException;

    //返回类名+@对象内存地址求hash再转16进制
    public String toString() {
      return getClass().getName() + "@" + Integer.toHexString(hashCode());
    }

    //唤醒一个等待object的monitor对象锁的线程
    public final native void notify();

    //唤醒所有等待object的monitor对象锁的线程
    public final native void notifyAll();

    //让当前线程处于等待(阻塞)状态,直到其他线程调用此对象的 notify()方法或 notifyAll() 方法,或者超过参数 timeout 设置的超时时间
    public final native void wait(long timeout) throws InterruptedException;

    //nanos是额外时间,超时时间为timeout + nanos
    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 >= 500000 || (nanos != 0 && timeout == 0)) {
            timeout++;
      }

      wait(timeout);
    }

    //方法让当前线程进入等待状态。直到其他线程调用此对象的 notify() 方法或 notifyAll() 方法
    public final void wait() throws InterruptedException {
      wait(0);
    }

    //GC确定不存在对该对象的更多引用,回收时会调用该方法
    protected void finalize() throws Throwable { }
}
免责声明:如果侵犯了您的权益,请联系站长,我们会及时删除侵权内容,谢谢合作!
页: [1]
查看完整版本: Object源码阅读