参考:《Java魔法类:Unsafe应用解析

1 引子

Java中没有指针,不能直接对内存地址的变量进行控制,但Java提供了一个特殊的类Unsafe工具类来间接实现。Unsafe主要提供一些用于执行低级别、不安全操作的方法,如直接访问系统内存资源、自主管理内存资源等,这些方法在提升Java运行效率、增强Java语言底层资源操作能力方面起到了很大的作用 。正如其名字unsafe,直接去使用这个工具类是不安全的,它能直接在硬件层(内存上)修改访问变量,而无视各种访问修饰符的限制。它几乎所有的公共方法API都是本地方法,这些方法是使用C/C++方法实现的,它越过了虚拟机层面,直接在操作系统本地执行。因为这是一个底层类,如果在不了解其内部原理、未掌握其使用技巧的情况下,我们直接使用Unsafe类可能会造成一些意想不到或未知的错误,所以它被限制开发者直接使用,只能由JDK类库的维护者使用。如果您喜欢阅读JDK的源码,那么你会发现在各种并发工具类的内部常常见到这个类的踪影,它们经常通过这个类的一些方法根据相应内存地址在内存上直接CAS修改访问共享变量的值。

Unsafe类在Oracle的官方JDK中没有提供源码,我们只能通过IDEA的反编译工具看到反编译后的源代码,因此我们看不到方法注释。而只OpenJDK中带有所有JDK的源代码,这里使用OpenJDK作参考讲解材料。以下是OpenJDK中Unsafe的类注释

A collection of methods for performing low-level, unsafe operations. Although the class and all methods are public, use of this class is limited because only trusted code can obtain instances of it.

直译过来大致意思是:此类拥有一组用于执行低级,不安全操作的方法。 尽管此类和所有方法都是公共的,但是由于只有可信代码才能获取该类的实例,因此此类的使用受到限制。

可以看出构造方法被私有化,只能通过静态方法getUnsafe()才能获取此Unsafe单例对象,而此静态方法的使用也是受到限制的,只能由JDK中的其它类来调用,普通开发者使用此方法将抛出异常。

  1. private Unsafe() {}
  2. private static final Unsafe theUnsafe = new Unsafe();
  3. @CallerSensitive
  4. public static Unsafe getUnsafe() {
  5. Class<?> caller = Reflection.getCallerClass(); //调用者Class对象
  6. if (!VM.isSystemDomainLoader(caller.getClassLoader())) //判断调用者的类加载器是否为系统类加载器
  7. //不是JAVA_HOME/jre/lib目录下jar包中的类来调用此方法getUnsafe()就会抛出异常
  8. throw new SecurityException("Unsafe");
  9. return theUnsafe;
  10. }

Java Unsafe类详解 - 图1

此方法getUnsafe()上的注释也说:

为调用提供执行不安全操作的能力。返回的Unsafe对象应由调用方小心保护,因为它可用于在任意内存地址处读取和写入数据。 绝不能将其传递给不受信任的代码。此类中的大多数方法都是非常底层的,并且对应于少量的硬件指令(在典型的机器上)。 应鼓励编译器相应地优化这些方法,而不是使用Unsafe类来控制。

  1. getUnsafe()要求JDK类库自身调用,当然将开发者可以将自己定义的类放在JDK系统类库中,但这种方式明显是不安全、不方便的,其可行性太低。倘若开发者的确需要使用Unsafe类,我们可以使用反射的方式获取Unsafe实例。
  1. private static Unsafe getUnsafeByReflect() {
  2. try {
  3. Field f = Unsafe.class.getDeclaredField("theUnsafe");
  4. f.setAccessible(true);
  5. return (Unsafe) f.get(null);
  6. } catch (Exception e) {
  7. throw new Error(e);
  8. }
  9. }

使用反射方式,在开发者的classpath中获取到Unsafe实例

  1. package com.aaxis;
  2. import java.lang.reflect.Field;
  3. import sun.misc.Unsafe;
  4. public class Student {
  5. private int stuId;
  6. private String name;
  7. private int age;
  8. private static final long STUID_OFFSET;
  9. private static final Unsafe UNSAFE = getUnsafeByReflect();
  10. static {
  11. try {
  12. STUID_OFFSET = UNSAFE.objectFieldOffset(Student.class.getDeclaredField("stuId"));
  13. } catch (NoSuchFieldException | SecurityException e) {
  14. throw new Error(e);
  15. }
  16. }
  17. private static Unsafe getUnsafeByReflect() {
  18. try {
  19. Field f = Unsafe.class.getDeclaredField("theUnsafe");
  20. f.setAccessible(true);
  21. return (Unsafe) f.get(null);
  22. } catch (Exception e) {
  23. throw new Error(e);
  24. }
  25. }
  26. public static void unsafedPrintStuId() {
  27. Student student = new Student(34124, "小黄");
  28. int stuId = UNSAFE.getInt(student, STUID_OFFSET);
  29. System.out.println(student.getName() + "学号:" + stuId);
  30. }
  31. public static void main(String[] args) {
  32. unsafedPrintStuId();
  33. }
  34. //.....
  35. }

Unsafe类的主要功能如图:

Java Unsafe类详解 - 图2

2 Java对象相关操作

注意:因为反射中使用Field描述实例变量和静态变量,现在将实例变量和静态变量统称为字段。

获取字段相对偏移量

  1. /**
  2. * 根据反射的字段f,获取相应实例变量的偏移量
  3. * 此偏移量是实例变量的起始地址与对象的起始地址之差,对于一确定的java类,某字段与对象之间的起始地址之差是常数,
  4. * 静态变量的偏移量与此类似
  5. */
  6. public native long staticFieldOffset(Field f);
  7. //根据反射的字段f,获取相应静态变量的偏移量(静态变量的起始地址与相应静态区Klass对象起始地址之差)
  8. public native long objectFieldOffset(Field f);

这里提到了字段的偏移量,这与Java对象的内存布局有密切关系。Java对象由对象头和实际数据两部分组成。

下图中MarkWord包含对象的hashCode、锁信息、垃圾回收的分代信息等,占32/64位;Class Metadata Pointer表示一个此对象数据类型的Class对象(虚拟机中的Klass对象)的指针,占32/64位;ArrayLength是数组对象特有的内容,表示数组的长度,占32位。数组对象的实际数据是各个元素的值或引用,普通对象的实际数据是各实例字段的值或引用。另外为了快速内存分配、快速内存寻址、提高性能,Java语言规范要求Java对象要做内存对齐处理,每个对象占用的内存字节数必须是8的倍数,若不是则要填零补足对齐。

从下图可以看出,字段与对象头之间的偏移量是固定的,只要知道字段的相对偏移量和对象起始地址,我们就能获取此字段的绝对内存地址(fieldAddress=objAddress+fieldOffset),根据此绝对内存地址,我们就能忽略访问修饰符的限制而可直接读取/修改此字段的值或引用。

数组对象的元素内存定址,相对对于普通对象的字段定址有些不一样,它要先计算出对象头的长度,作为基础偏移量;由于数组元素的数据类型是相同的,每个元素的值或引用所占内存空间是相同的,因此将元素值或引用或占内存作为每两相邻元素的相对偏移量。根据对象起始位置、基础偏移量、相邻元素相对偏移量及数组下标,就可以获取到某个元素值或引用的绝对内存地址(itemAddress=arrayAddress+baseOffset+index*indexOffset),进而通过绝对内存地址读取或修改此元素的值或引用。

Java Unsafe类详解 - 图3

根据字段偏移量设置/获取字段值

  1. //根据反射的字段f,获取相应的静态变量的值
  2. public native Object staticFieldBase(Field f);
  3. /**
  4. *参数o是字段所属的对象,offset表示相对偏移量,参数x是此字段要设置的新值
  5. */
  6. /*字段是引用数据类型*/
  7. public native Object getObject(Object o, long offset);//获取字段值
  8. public native void putObject(Object o, long offset, Object x);//设置字段值
  9. /*字段为基本数据类型*/
  10. public native void putInt(Object o, long offset, int x);
  11. public native int getInt(Object o, long offset);
  12. public native boolean getBoolean(Object o, long offset);
  13. public native void putBoolean(Object o, long offset, boolean x);
  14. public native byte getByte(Object o, long offset);
  15. public native void putByte(Object o, long offset, byte x);
  16. public native short getShort(Object o, long offset);
  17. public native void putShort(Object o, long offset, short x);
  18. public native char getChar(Object o, long offset);
  19. public native void putChar(Object o, long offset, char x);
  20. public native long getLong(Object o, long offset);
  21. public native void putLong(Object o, long offset, long x);
  22. public native float getFloat(Object o, long offset);
  23. public native void putFloat(Object o, long offset, float x);
  24. public native double getDouble(Object o, long offset);
  25. public native void putDouble(Object o, long offset, double x);

使用示例:

我将一个自定义的普通(编译后的)Java类放在JDK类库的charset.jar包中,这个Student类使用了Unsafe类。

Java Unsafe类详解 - 图4

Student.class的部分反编译源码

Java Unsafe类详解 - 图5Student部分代码

测试Unsafe能否忽略访问限制,读取私有变量

  1. package other;
  2. import sun.awt.Student;
  3. public class UnsafeTest {
  4. public static void main(String[] args) {
  5. Student.unsafedPrintStuId();
  6. }
  7. }

控制台输出结果正确

Java Unsafe类详解 - 图6

volatile版本根据字段偏移量设置/获取字段值(加上volatile语义)

保证对其他线程的可见性(只有字段被volatile修饰时有效)

  1. //volatile形式地获取字段值,即使在多线条件下,从主内存中获取值,使当前线程的工作内存的缓存值失效
  2. public native Object getObjectVolatile(Object o, long offset);
  3. //volatile形式地设置字段值,即使在多线条件下,设置的值将只保存到主内存中,不加载到线程本地缓存,保证可见性
  4. public native void putObjectVolatile(Object o, long offset, Object x);
  5. public native int getIntVolatile(Object o, long offset);
  6. public native void putIntVolatile(Object o, long offset, int x);
  7. public native boolean getBooleanVolatile(Object o, long offset);
  8. public native void putBooleanVolatile(Object o, long offset, boolean x);
  9. public native byte getByteVolatile(Object o, long offset);
  10. public native void putByteVolatile(Object o, long offset, byte x);
  11. public native short getShortVolatile(Object o, long offset);
  12. public native void putShortVolatile(Object o, long offset, short x);
  13. public native char getCharVolatile(Object o, long offset);
  14. public native void putCharVolatile(Object o, long offset, char x);
  15. public native long getLongVolatile(Object o, long offset);
  16. public native void putLongVolatile(Object o, long offset, long x);
  17. public native float getFloatVolatile(Object o, long offset);
  18. public native void putFloatVolatile(Object o, long offset, float x);
  19. public native double getDoubleVolatile(Object o, long offset);
  20. public native void putDoubleVolatile(Object o, long offset, double x);

有序延迟化地设置字段值

  1. 有序延迟化设值,对其他线程不保证可见性
  1. //有序延迟化地设置字段值,
  2. public native void putOrderedObject(Object o, long offset, Object x);
  3. /** Ordered/Lazy version of {@link #putIntVolatile(Object, long, int)} */
  4. public native void putOrderedInt(Object o, long offset, int x);
  5. /** Ordered/Lazy version of {@link #putLongVolatile(Object, long, long)} */
  6. public native void putOrderedLong(Object o, long offset, long x);

数组相关的偏移量

  1. //第一个元素与数组对象两者间起始地址之差(首元素与对象头的相对偏移量)
  2. public native int arrayBaseOffset(Class<?> arrayClass);
  3. //相邻元素间相对偏移量的位移表示(返回值的二进制形式的有效位数是x,那么相邻元素的偏移量就是2的x次方)
  4. public native int arrayIndexScale(Class<?> arrayClass);

使用示例:

java.util.concurrent.atomic.AtomicIntegerArray包下的AtomicIntegerArray结合以上两个方法,进行数组元素地址定位。

  1. class AtomicIntegerArray implements java.io.Serializable {
  2. private static final long serialVersionUID = 2862133569453604235L;
  3. private static final Unsafe unsafe = Unsafe.getUnsafe();
  4. private static final int base = unsafe.arrayBaseOffset(int[].class);
  5. private static final int shift;
  6. private final int[] array;
  7. static {
  8. int scale = unsafe.arrayIndexScale(int[].class);
  9. if ((scale & (scale - 1)) != 0)
  10. throw new Error("data type scale not a power of two");
  11. shift = 31 - Integer.numberOfLeadingZeros(scale);
  12. }
  13. private long checkedByteOffset(int i) {
  14. if (i < 0 || i >= array.length)
  15. throw new IndexOutOfBoundsException("index " + i);
  16. return byteOffset(i);
  17. }
  18. private static long byteOffset(int i) {
  19. return ((long) i << shift) + base;
  20. }
  21. public final void set(int i, int newValue) {
  22. unsafe.putIntVolatile(array, checkedByteOffset(i), newValue);
  23. }
  24. }

3 Class相关操作

创建Java类

  1. /**
  2. * 让虚拟机知道我们定义一个类,但不进行安全检查。
  3. * 默认情况下,类加载器和保护域来自调用者的类。
  4. */
  5. public native Class<?> defineClass(String name, byte[] b, int off, int len,
  6. ClassLoader loader,
  7. ProtectionDomain protectionDomain);
  8. /*
  9. * 在类加载器和系统字典(system dictionary)不知道的情况下根据字节码数据定义一个匿名的Class对象,相当于创建了一个Java类
  10. * @params hostClass context for linkage, access control, protection domain, and class loader
  11. * @params data 字节码文件对应的字节数组
  12. * @params cpPatches where non-null entries exist, they replace corresponding CP entries in data
  13. */
  14. public native Class<?> defineAnonymousClass(Class<?> hostClass, byte[] data, Object[] cpPatches);

Java类初始化

shouldBeInitialized(Class)方法检测Class对应的Java类是否被初始化
ensureClassInitialized(Class)方法强制Java类初始化,若没初始化则进行初始化。
这两个方法常与staticFieldBase(Field)一起使用,因为如果Java类没有被初始化,静态变量便没有初始化,就不能直接获取静态变量的引用。

  1. /**
  2. * Detect if the given class may need to be initialized. This is often
  3. * needed in conjunction with obtaining the static field base of a
  4. * class.
  5. * @return false only if a call to {@code ensureClassInitialized} would have no effect
  6. */
  7. public native boolean shouldBeInitialized(Class<?> c);
  8. /**
  9. * Ensure the given class has been initialized. This is often
  10. * needed in conjunction with obtaining the static field base of a
  11. * class.
  12. */
  13. public native void ensureClassInitialized(Class<?> c);

使用示例:

java.lang.invoke.DirectMethodHandle中的checkInitialized(MemberName)方法调用了以上两个与类初始化相关的方法

Java Unsafe类详解 - 图7

根据Class创建对象

仅通过Class对象就可以创建此类的实例对象,而且不需要调用其构造函数、初始化代码、JVM安全检查,等,。它抑制修饰符检测,也就是即使构造器是private修饰的也能通过此方法实例化,只需提类对象即可创建相应的对象 .

  1. /** Allocate an instance but do not run any constructor.
  2. Initializes the class if it has not yet been. */
  3. public native Object allocateInstance(Class<?> cls)
  4. throws InstantiationException;

使用示例:

Employe类的唯一构造方法被私有化,外界不能直接创建此类的对象。但通过”Constructor.setAccessible(true)”将私有构造器设为外部可访问,使用反射机制也能创建一个Employee对象。

  1. package other;
  2. import sun.misc.Unsafe;
  3. import java.lang.reflect.Field;
  4. public class Employee {
  5. private static int count;
  6. private static long countL=1000;
  7. private long id;
  8. private String name;
  9. private int sex;// 1代表男性,0代表女性
  10. private long mgrId=11111;
  11. static {
  12. count = 1000;//目前员工人数的基数
  13. }
  14. private Employee() {
  15. sex = 1;//默认为男性
  16. name = "";
  17. count++;
  18. countL++;
  19. }
  20. @Override
  21. public String toString() {
  22. return "{Employee [id=" + id + ", name=" + name + ", sex=" + sex + ", mgrId=" + mgrId
  23. + "]}"+" ,{count="+count+", countLong="+countL+"}";
  24. }
  25. }
  26. class EmployeeTest {
  27. private static final Unsafe UNSAFE;
  28. static {
  29. try {
  30. Field f = Unsafe.class.getDeclaredField("theUnsafe");
  31. f.setAccessible(true);
  32. UNSAFE = (Unsafe) f.get(null);
  33. } catch (Exception e) {
  34. throw new Error(e);
  35. }
  36. }
  37. public static void main(String[] args) throws Exception {
  38. Employee employee = (Employee) UNSAFE.allocateInstance(Employee.class);
  39. System.out.println(employee);
  40. /* Class<Employee> clazz = Employee.class;
  41. Constructor<Employee> constructor = clazz.getDeclaredConstructor();
  42. constructor.setAccessible(true);
  43. Employee emp = constructor.newInstance();
  44. System.out.println(emp);*/
  45. }
  46. }

两种方式创建的对象toString()信息

Unsafe创建的对象 Java Unsafe类详解 - 图8
反射创建的对象 Java Unsafe类详解 - 图9

从上面的控制台输出信息可以看出,反射与Unsafe能均创建一个构造方法被私有化的对象。不同之处在于allocateInstance(Class)方法创建对象过程中不会进行对象初始化,但会进行类初始化;即不会执行实例变量初始化赋值、不执行构造代码块、不调用构造方法,但会执行静态变量的初始化赋值、执行静态代码块。

4 CAS更新操作

CAS是Java并发编程的最底层依据,它实现了非阻塞式地更新共享变量,自旋锁与乐观锁的实现均依赖它。

  1. /**
  2. * CAS更新共享变量
  3. *
  4. * @param o 字段所属对象
  5. * @param offset 字段的相对偏移量
  6. * @param expected 预期值
  7. * @param x 更新值
  8. * @return 更新成功则返回true
  9. */
  10. public final native boolean compareAndSwapObject(Object o, long offset, Object expected, Object x);
  11. public final native boolean compareAndSwapInt(Object o, long offset, int expected, int x);
  12. public final native boolean compareAndSwapLong(Object o, long offset, long expected, long x);

使用示例
同步器AQS的compareAndSetXxx()方法都直接委托上面的CAS方法实现的

Java Unsafe类详解 - 图10

5 内存操作

根据内存地址,设置/获取对应的值

  1. /**
  2. * 参数address是绝对内存地址,参数x是设定的值
  3. * 如果address是零或不是通过allocMemery()方法分配的地址,那么结果未定义
  4. */
  5. public native byte getByte(long address);
  6. public native void putByte(long address, byte x);
  7. /** @see #getByte(long) */
  8. public native short getShort(long address);
  9. /** @see #putByte(long, byte) */
  10. public native void putShort(long address, short x);
  11. /** @see #getByte(long) */
  12. public native char getChar(long address);
  13. /** @see #putByte(long, byte) */
  14. public native void putChar(long address, char x);
  15. /** @see #getByte(long) */
  16. public native int getInt(long address);
  17. /** @see #putByte(long, byte) */
  18. public native void putInt(long address, int x);
  19. /** @see #getByte(long) */
  20. public native long getLong(long address);
  21. /** @see #putByte(long, byte) */
  22. public native void putLong(long address, long x);
  23. /** @see #getByte(long) */
  24. public native float getFloat(long address);
  25. /** @see #putByte(long, byte) */
  26. public native void putFloat(long address, float x);
  27. /** @see #getByte(long) */
  28. public native double getDouble(long address);
  29. /** @see #putByte(long, byte) */
  30. public native void putDouble(long address, double x);

根据内存地址设置/获取指针

  1. //根据内存地址获取一个指针
  2. public native long getAddress(long address);
  3. //根据内存地址设置一个指针,adress是内存地址,x是指定的指针值
  4. public native void putAddress(long address, long x);

分配、扩展、释放内存

  1. //分配一块指定的内存空间,返回一个指向此内存起始位置的指针
  2. public native long allocateMemory(long bytes);
  3. //扩展内存
  4. public native long reallocateMemory(long address, long bytes);
  5. //在指定的内存块填充值
  6. public native void setMemory(Object o, long offset, long bytes, byte value);
  7. public void setMemory(long address, long bytes, byte value) {
  8. setMemory(null, address, bytes, value);
  9. }
  10. //将一处内存的数据复制另一处内存
  11. public native void copyMemory(Object srcBase, long srcOffset,
  12. Object destBase, long destOffset,
  13. long bytes);
  14. public void copyMemory(long srcAddress, long destAddress, long bytes) {
  15. copyMemory(null, srcAddress, null, destAddress, bytes);
  16. }
  17. //释放内存
  18. public native void freeMemory(long address);

使用示例:

java.nio包下的DirectByteBuffer类的构造方法调用Unsafe.allocateMemory(int)分配初始条件下的的内存缓冲区

Java Unsafe类详解 - 图11

DirectByteBuffer的静态内部类Deallocator的run()调用Unsafe.freeMemory(long)释放相应地址的内存空间

Java Unsafe类详解 - 图12

6 系统信息

获取指定宽度、内存页大小等系统软硬件信息,这些信息对于本地内存的分配、使用、寻址很重要。

  1. //本地指针宽度,通常是4或8
  2. public native int addressSize();
  3. /**
  4. *内存页的大小,它总是2的幂次方
  5. */
  6. public native int pageSize();

使用示例:

sun.nio.ch包下NativeObject类的addressSize()方法直接委托Unsafe.addressSize()实现

Java Unsafe类详解 - 图13

java.nio包下Bit类pageSize()方法:当pageSize非法时,将Unsafe.pageSize()作为返回值

Java Unsafe类详解 - 图14

可以看出addressSize()、 pageSize()方法的调用者都是nio相关类,这是因为nio是直接使用JVM堆外的本地内存。

7 线程管理

唤醒/休眠线程

  1. public native void unpark(Object thread);//唤醒
  2. public native void park(boolean isAbsolute, long time);//休眠

以上两个方法是”等待/通知模型”的关键,它们的并发编程中常使用到的底层方法。以上两个方法主要被LockSupport类直接引用,LockSupport.parkUtil(long) 、 LockSupport.upark(Thread)方法中没有其他逻辑,就是直接委托以上两个方法实现的。

使用示例:

Java Unsafe类详解 - 图15

抢锁与释放锁(已经被弃用)

  1. //获取锁对象
  2. @Deprecated
  3. public native void monitorEnter(Object o);
  4. //释放锁对象
  5. @Deprecated
  6. public native void monitorExit(Object o);
  7. //尝试获取锁对象
  8. @Deprecated
  9. public native boolean tryMonitorEnter(Object o);

8 内存屏障

在Java 8中引入,用于定义内存屏障(也称内存栅栏,内存栅障,屏障指令等,是一类同步屏障指令,是CPU或编译器在对内存随机访问的操作中的一个同步点,使得此点之前的所有读写操作都执行后才可以开始执行此点之后的操作),避免代码重排序

  1. /**
  2. * 内存屏障,禁止load重排序。屏障前不能重排序load,且只能在屏障后load或store
  3. */
  4. public native void loadFence();
  5. /**
  6. * 内存屏障,禁止store重排序。 屏障前不能重排序store操作,且只能在屏障后load或store
  7. */
  8. public native void storeFence();
  9. /**
  10. * 内存屏障,禁止store load重排序。
  11. */
  12. public native void fullFence();

使用示例:

loadFence()方法在StampedLock的validate方法有使用到,StampedLock是为了防止CAS更新时出现ABA问题而在JDK1.8新引入的并发工具。

Java Unsafe类详解 - 图16

OpenJDK1.8中含注释的Unsafe类源代码

  1. /*
  2. * Copyright (c) 2000, 2013, Oracle and/or its affiliates. All rights reserved.
  3. * DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS FILE HEADER.
  4. *
  5. * This code is free software; you can redistribute it and/or modify it
  6. * under the terms of the GNU General Public License version 2 only, as
  7. * published by the Free Software Foundation. Oracle designates this
  8. * particular file as subject to the "Classpath" exception as provided
  9. * by Oracle in the LICENSE file that accompanied this code.
  10. *
  11. * This code is distributed in the hope that it will be useful, but WITHOUT
  12. * ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or
  13. * FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License
  14. * version 2 for more details (a copy is included in the LICENSE file that
  15. * accompanied this code).
  16. *
  17. * You should have received a copy of the GNU General Public License version
  18. * 2 along with this work; if not, write to the Free Software Foundation,
  19. * Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA.
  20. *
  21. * Please contact Oracle, 500 Oracle Parkway, Redwood Shores, CA 94065 USA
  22. * or visit www.oracle.com if you need additional information or have any
  23. * questions.
  24. */
  25. package sun.misc;
  26. import java.security.*;
  27. import java.lang.reflect.*;
  28. import sun.reflect.CallerSensitive;
  29. import sun.reflect.Reflection;
  30. /**
  31. * A collection of methods for performing low-level, unsafe operations.
  32. * Although the class and all methods are public, use of this class is
  33. * limited because only trusted code can obtain instances of it.
  34. *
  35. * @author John R. Rose
  36. * @see #getUnsafe
  37. */
  38. public final class Unsafe {
  39. private static native void registerNatives();
  40. static {
  41. registerNatives();
  42. sun.reflect.Reflection.registerMethodsToFilter(Unsafe.class, "getUnsafe");
  43. }
  44. private Unsafe() {}
  45. private static final Unsafe theUnsafe = new Unsafe();
  46. /**
  47. * Provides the caller with the capability of performing unsafe
  48. * operations.
  49. *
  50. * <p> The returned <code>Unsafe</code> object should be carefully guarded
  51. * by the caller, since it can be used to read and write data at arbitrary
  52. * memory addresses. It must never be passed to untrusted code.
  53. *
  54. * <p> Most methods in this class are very low-level, and correspond to a
  55. * small number of hardware instructions (on typical machines). Compilers
  56. * are encouraged to optimize these methods accordingly.
  57. *
  58. * <p> Here is a suggested idiom for using unsafe operations:
  59. *
  60. * <blockquote>
  61. <pre>
  62. * class MyTrustedClass {
  63. * private static final Unsafe unsafe = Unsafe.getUnsafe();
  64. * ...
  65. * private long myCountAddress = ...;
  66. * public int getCount() { return unsafe.getByte(myCountAddress); }
  67. * }
  68. * </pre></blockquote>
  69. *
  70. * (It may assist compilers to make the local variable be
  71. * <code>final</code>.)
  72. *
  73. * @exception SecurityException if a security manager exists and its
  74. * <code>checkPropertiesAccess</code> method doesn't allow
  75. * access to the system properties.
  76. */
  77. @CallerSensitive
  78. public static Unsafe getUnsafe() {
  79. Class<?> caller = Reflection.getCallerClass();
  80. if (!VM.isSystemDomainLoader(caller.getClassLoader()))
  81. throw new SecurityException("Unsafe");
  82. return theUnsafe;
  83. }
  84. /// peek and poke operations
  85. /// (compilers should optimize these to memory ops)
  86. // These work on object fields in the Java heap.
  87. // They will not work on elements of packed arrays.
  88. /**
  89. * Fetches a value from a given Java variable.
  90. * More specifically, fetches a field or array element within the given
  91. * object <code>o</code> at the given offset, or (if <code>o</code> is
  92. * null) from the memory address whose numerical value is the given
  93. * offset.
  94. * <p>
  95. * The results are undefined unless one of the following cases is true:
  96. * <ul>
  97. * <li>The offset was obtained from {@link #objectFieldOffset} on
  98. * the {@link java.lang.reflect.Field} of some Java field and the object
  99. * referred to by <code>o</code> is of a class compatible with that
  100. * field's class.
  101. *
  102. * <li>The offset and object reference <code>o</code> (either null or
  103. * non-null) were both obtained via {@link #staticFieldOffset}
  104. * and {@link #staticFieldBase} (respectively) from the
  105. * reflective {@link Field} representation of some Java field.
  106. *
  107. * <li>The object referred to by <code>o</code> is an array, and the offset
  108. * is an integer of the form <code>B+N*S</code>, where <code>N</code> is
  109. * a valid index into the array, and <code>B</code> and <code>S</code> are
  110. * the values obtained by {@link #arrayBaseOffset} and {@link
  111. * #arrayIndexScale} (respectively) from the array's class. The value
  112. * referred to is the <code>N</code><em>th</em> element of the array.
  113. *
  114. * </ul>
  115. * <p>
  116. * If one of the above cases is true, the call references a specific Java
  117. * variable (field or array element). However, the results are undefined
  118. * if that variable is not in fact of the type returned by this method.
  119. * <p>
  120. * This method refers to a variable by means of two parameters, and so
  121. * it provides (in effect) a <em>double-register</em> addressing mode
  122. * for Java variables. When the object reference is null, this method
  123. * uses its offset as an absolute address. This is similar in operation
  124. * to methods such as {@link #getInt(long)}, which provide (in effect) a
  125. * <em>single-register</em> addressing mode for non-Java variables.
  126. * However, because Java variables may have a different layout in memory
  127. * from non-Java variables, programmers should not assume that these
  128. * two addressing modes are ever equivalent. Also, programmers should
  129. * remember that offsets from the double-register addressing mode cannot
  130. * be portably confused with longs used in the single-register addressing
  131. * mode.
  132. *
  133. * @param o Java heap object in which the variable resides, if any, else
  134. * null
  135. * @param offset indication of where the variable resides in a Java heap
  136. * object, if any, else a memory address locating the variable
  137. * statically
  138. * @return the value fetched from the indicated Java variable
  139. * @throws RuntimeException No defined exceptions are thrown, not even
  140. * {@link NullPointerException}
  141. */
  142. public native int getInt(Object o, long offset);
  143. /**
  144. * Stores a value into a given Java variable.
  145. * <p>
  146. * The first two parameters are interpreted exactly as with
  147. * {@link #getInt(Object, long)} to refer to a specific
  148. * Java variable (field or array element). The given value
  149. * is stored into that variable.
  150. * <p>
  151. * The variable must be of the same type as the method
  152. * parameter <code>x</code>.
  153. *
  154. * @param o Java heap object in which the variable resides, if any, else
  155. * null
  156. * @param offset indication of where the variable resides in a Java heap
  157. * object, if any, else a memory address locating the variable
  158. * statically
  159. * @param x the value to store into the indicated Java variable
  160. * @throws RuntimeException No defined exceptions are thrown, not even
  161. * {@link NullPointerException}
  162. */
  163. public native void putInt(Object o, long offset, int x);
  164. /**
  165. * Fetches a reference value from a given Java variable.
  166. * @see #getInt(Object, long)
  167. */
  168. public native Object getObject(Object o, long offset);
  169. /**
  170. * Stores a reference value into a given Java variable.
  171. * <p>
  172. * Unless the reference <code>x</code> being stored is either null
  173. * or matches the field type, the results are undefined.
  174. * If the reference <code>o</code> is non-null, car marks or
  175. * other store barriers for that object (if the VM requires them)
  176. * are updated.
  177. * @see #putInt(Object, int, int)
  178. */
  179. public native void putObject(Object o, long offset, Object x);
  180. /** @see #getInt(Object, long) */
  181. public native boolean getBoolean(Object o, long offset);
  182. /** @see #putInt(Object, int, int) */
  183. public native void putBoolean(Object o, long offset, boolean x);
  184. /** @see #getInt(Object, long) */
  185. public native byte getByte(Object o, long offset);
  186. /** @see #putInt(Object, int, int) */
  187. public native void putByte(Object o, long offset, byte x);
  188. /** @see #getInt(Object, long) */
  189. public native short getShort(Object o, long offset);
  190. /** @see #putInt(Object, int, int) */
  191. public native void putShort(Object o, long offset, short x);
  192. /** @see #getInt(Object, long) */
  193. public native char getChar(Object o, long offset);
  194. /** @see #putInt(Object, int, int) */
  195. public native void putChar(Object o, long offset, char x);
  196. /** @see #getInt(Object, long) */
  197. public native long getLong(Object o, long offset);
  198. /** @see #putInt(Object, int, int) */
  199. public native void putLong(Object o, long offset, long x);
  200. /** @see #getInt(Object, long) */
  201. public native float getFloat(Object o, long offset);
  202. /** @see #putInt(Object, int, int) */
  203. public native void putFloat(Object o, long offset, float x);
  204. /** @see #getInt(Object, long) */
  205. public native double getDouble(Object o, long offset);
  206. /** @see #putInt(Object, int, int) */
  207. public native void putDouble(Object o, long offset, double x);
  208. /**
  209. * This method, like all others with 32-bit offsets, was native
  210. * in a previous release but is now a wrapper which simply casts
  211. * the offset to a long value. It provides backward compatibility
  212. * with bytecodes compiled against 1.4.
  213. * @deprecated As of 1.4.1, cast the 32-bit offset argument to a long.
  214. * See {@link #staticFieldOffset}.
  215. */
  216. @Deprecated
  217. public int getInt(Object o, int offset) {
  218. return getInt(o, (long)offset);
  219. }
  220. /**
  221. * @deprecated As of 1.4.1, cast the 32-bit offset argument to a long.
  222. * See {@link #staticFieldOffset}.
  223. */
  224. @Deprecated
  225. public void putInt(Object o, int offset, int x) {
  226. putInt(o, (long)offset, x);
  227. }
  228. /**
  229. * @deprecated As of 1.4.1, cast the 32-bit offset argument to a long.
  230. * See {@link #staticFieldOffset}.
  231. */
  232. @Deprecated
  233. public Object getObject(Object o, int offset) {
  234. return getObject(o, (long)offset);
  235. }
  236. /**
  237. * @deprecated As of 1.4.1, cast the 32-bit offset argument to a long.
  238. * See {@link #staticFieldOffset}.
  239. */
  240. @Deprecated
  241. public void putObject(Object o, int offset, Object x) {
  242. putObject(o, (long)offset, x);
  243. }
  244. /**
  245. * @deprecated As of 1.4.1, cast the 32-bit offset argument to a long.
  246. * See {@link #staticFieldOffset}.
  247. */
  248. @Deprecated
  249. public boolean getBoolean(Object o, int offset) {
  250. return getBoolean(o, (long)offset);
  251. }
  252. /**
  253. * @deprecated As of 1.4.1, cast the 32-bit offset argument to a long.
  254. * See {@link #staticFieldOffset}.
  255. */
  256. @Deprecated
  257. public void putBoolean(Object o, int offset, boolean x) {
  258. putBoolean(o, (long)offset, x);
  259. }
  260. /**
  261. * @deprecated As of 1.4.1, cast the 32-bit offset argument to a long.
  262. * See {@link #staticFieldOffset}.
  263. */
  264. @Deprecated
  265. public byte getByte(Object o, int offset) {
  266. return getByte(o, (long)offset);
  267. }
  268. /**
  269. * @deprecated As of 1.4.1, cast the 32-bit offset argument to a long.
  270. * See {@link #staticFieldOffset}.
  271. */
  272. @Deprecated
  273. public void putByte(Object o, int offset, byte x) {
  274. putByte(o, (long)offset, x);
  275. }
  276. /**
  277. * @deprecated As of 1.4.1, cast the 32-bit offset argument to a long.
  278. * See {@link #staticFieldOffset}.
  279. */
  280. @Deprecated
  281. public short getShort(Object o, int offset) {
  282. return getShort(o, (long)offset);
  283. }
  284. /**
  285. * @deprecated As of 1.4.1, cast the 32-bit offset argument to a long.
  286. * See {@link #staticFieldOffset}.
  287. */
  288. @Deprecated
  289. public void putShort(Object o, int offset, short x) {
  290. putShort(o, (long)offset, x);
  291. }
  292. /**
  293. * @deprecated As of 1.4.1, cast the 32-bit offset argument to a long.
  294. * See {@link #staticFieldOffset}.
  295. */
  296. @Deprecated
  297. public char getChar(Object o, int offset) {
  298. return getChar(o, (long)offset);
  299. }
  300. /**
  301. * @deprecated As of 1.4.1, cast the 32-bit offset argument to a long.
  302. * See {@link #staticFieldOffset}.
  303. */
  304. @Deprecated
  305. public void putChar(Object o, int offset, char x) {
  306. putChar(o, (long)offset, x);
  307. }
  308. /**
  309. * @deprecated As of 1.4.1, cast the 32-bit offset argument to a long.
  310. * See {@link #staticFieldOffset}.
  311. */
  312. @Deprecated
  313. public long getLong(Object o, int offset) {
  314. return getLong(o, (long)offset);
  315. }
  316. /**
  317. * @deprecated As of 1.4.1, cast the 32-bit offset argument to a long.
  318. * See {@link #staticFieldOffset}.
  319. */
  320. @Deprecated
  321. public void putLong(Object o, int offset, long x) {
  322. putLong(o, (long)offset, x);
  323. }
  324. /**
  325. * @deprecated As of 1.4.1, cast the 32-bit offset argument to a long.
  326. * See {@link #staticFieldOffset}.
  327. */
  328. @Deprecated
  329. public float getFloat(Object o, int offset) {
  330. return getFloat(o, (long)offset);
  331. }
  332. /**
  333. * @deprecated As of 1.4.1, cast the 32-bit offset argument to a long.
  334. * See {@link #staticFieldOffset}.
  335. */
  336. @Deprecated
  337. public void putFloat(Object o, int offset, float x) {
  338. putFloat(o, (long)offset, x);
  339. }
  340. /**
  341. * @deprecated As of 1.4.1, cast the 32-bit offset argument to a long.
  342. * See {@link #staticFieldOffset}.
  343. */
  344. @Deprecated
  345. public double getDouble(Object o, int offset) {
  346. return getDouble(o, (long)offset);
  347. }
  348. /**
  349. * @deprecated As of 1.4.1, cast the 32-bit offset argument to a long.
  350. * See {@link #staticFieldOffset}.
  351. */
  352. @Deprecated
  353. public void putDouble(Object o, int offset, double x) {
  354. putDouble(o, (long)offset, x);
  355. }
  356. // These work on values in the C heap.
  357. /**
  358. * Fetches a value from a given memory address. If the address is zero, or
  359. * does not point into a block obtained from {@link #allocateMemory}, the
  360. * results are undefined.
  361. *
  362. * @see #allocateMemory
  363. */
  364. public native byte getByte(long address);
  365. /**
  366. * Stores a value into a given memory address. If the address is zero, or
  367. * does not point into a block obtained from {@link #allocateMemory}, the
  368. * results are undefined.
  369. *
  370. * @see #getByte(long)
  371. */
  372. public native void putByte(long address, byte x);
  373. /** @see #getByte(long) */
  374. public native short getShort(long address);
  375. /** @see #putByte(long, byte) */
  376. public native void putShort(long address, short x);
  377. /** @see #getByte(long) */
  378. public native char getChar(long address);
  379. /** @see #putByte(long, byte) */
  380. public native void putChar(long address, char x);
  381. /** @see #getByte(long) */
  382. public native int getInt(long address);
  383. /** @see #putByte(long, byte) */
  384. public native void putInt(long address, int x);
  385. /** @see #getByte(long) */
  386. public native long getLong(long address);
  387. /** @see #putByte(long, byte) */
  388. public native void putLong(long address, long x);
  389. /** @see #getByte(long) */
  390. public native float getFloat(long address);
  391. /** @see #putByte(long, byte) */
  392. public native void putFloat(long address, float x);
  393. /** @see #getByte(long) */
  394. public native double getDouble(long address);
  395. /** @see #putByte(long, byte) */
  396. public native void putDouble(long address, double x);
  397. /**
  398. * Fetches a native pointer from a given memory address. If the address is
  399. * zero, or does not point into a block obtained from {@link
  400. * #allocateMemory}, the results are undefined.
  401. *
  402. * <p> If the native pointer is less than 64 bits wide, it is extended as
  403. * an unsigned number to a Java long. The pointer may be indexed by any
  404. * given byte offset, simply by adding that offset (as a simple integer) to
  405. * the long representing the pointer. The number of bytes actually read
  406. * from the target address maybe determined by consulting {@link
  407. * #addressSize}.
  408. *
  409. * @see #allocateMemory
  410. */
  411. public native long getAddress(long address);
  412. /**
  413. * Stores a native pointer into a given memory address. If the address is
  414. * zero, or does not point into a block obtained from {@link
  415. * #allocateMemory}, the results are undefined.
  416. *
  417. * <p> The number of bytes actually written at the target address maybe
  418. * determined by consulting {@link #addressSize}.
  419. *
  420. * @see #getAddress(long)
  421. */
  422. public native void putAddress(long address, long x);
  423. /// wrappers for malloc, realloc, free:
  424. /**
  425. * Allocates a new block of native memory, of the given size in bytes. The
  426. * contents of the memory are uninitialized; they will generally be
  427. * garbage. The resulting native pointer will never be zero, and will be
  428. * aligned for all value types. Dispose of this memory by calling {@link
  429. * #freeMemory}, or resize it with {@link #reallocateMemory}.
  430. *
  431. * @throws IllegalArgumentException if the size is negative or too large
  432. * for the native size_t type
  433. *
  434. * @throws OutOfMemoryError if the allocation is refused by the system
  435. *
  436. * @see #getByte(long)
  437. * @see #putByte(long, byte)
  438. */
  439. public native long allocateMemory(long bytes);
  440. /**
  441. * Resizes a new block of native memory, to the given size in bytes. The
  442. * contents of the new block past the size of the old block are
  443. * uninitialized; they will generally be garbage. The resulting native
  444. * pointer will be zero if and only if the requested size is zero. The
  445. * resulting native pointer will be aligned for all value types. Dispose
  446. * of this memory by calling {@link #freeMemory}, or resize it with {@link
  447. * #reallocateMemory}. The address passed to this method may be null, in
  448. * which case an allocation will be performed.
  449. *
  450. * @throws IllegalArgumentException if the size is negative or too large
  451. * for the native size_t type
  452. *
  453. * @throws OutOfMemoryError if the allocation is refused by the system
  454. *
  455. * @see #allocateMemory
  456. */
  457. public native long reallocateMemory(long address, long bytes);
  458. /**
  459. * Sets all bytes in a given block of memory to a fixed value
  460. * (usually zero).
  461. *
  462. * <p>This method determines a block's base address by means of two parameters,
  463. * and so it provides (in effect) a <em>double-register</em> addressing mode,
  464. * as discussed in {@link #getInt(Object,long)}. When the object reference is null,
  465. * the offset supplies an absolute base address.
  466. *
  467. * <p>The stores are in coherent (atomic) units of a size determined
  468. * by the address and length parameters. If the effective address and
  469. * length are all even modulo 8, the stores take place in 'long' units.
  470. * If the effective address and length are (resp.) even modulo 4 or 2,
  471. * the stores take place in units of 'int' or 'short'.
  472. *
  473. * @since 1.7
  474. */
  475. public native void setMemory(Object o, long offset, long bytes, byte value);
  476. /**
  477. * Sets all bytes in a given block of memory to a fixed value
  478. * (usually zero). This provides a <em>single-register</em> addressing mode,
  479. * as discussed in {@link #getInt(Object,long)}.
  480. *
  481. * <p>Equivalent to <code>setMemory(null, address, bytes, value)</code>.
  482. */
  483. public void setMemory(long address, long bytes, byte value) {
  484. setMemory(null, address, bytes, value);
  485. }
  486. /**
  487. * Sets all bytes in a given block of memory to a copy of another
  488. * block.
  489. *
  490. * <p>This method determines each block's base address by means of two parameters,
  491. * and so it provides (in effect) a <em>double-register</em> addressing mode,
  492. * as discussed in {@link #getInt(Object,long)}. When the object reference is null,
  493. * the offset supplies an absolute base address.
  494. *
  495. * <p>The transfers are in coherent (atomic) units of a size determined
  496. * by the address and length parameters. If the effective addresses and
  497. * length are all even modulo 8, the transfer takes place in 'long' units.
  498. * If the effective addresses and length are (resp.) even modulo 4 or 2,
  499. * the transfer takes place in units of 'int' or 'short'.
  500. *
  501. * @since 1.7
  502. */
  503. public native void copyMemory(Object srcBase, long srcOffset,
  504. Object destBase, long destOffset,
  505. long bytes);
  506. /**
  507. * Sets all bytes in a given block of memory to a copy of another
  508. * block. This provides a <em>single-register</em> addressing mode,
  509. * as discussed in {@link #getInt(Object,long)}.
  510. *
  511. * Equivalent to <code>copyMemory(null, srcAddress, null, destAddress, bytes)</code>.
  512. */
  513. public void copyMemory(long srcAddress, long destAddress, long bytes) {
  514. copyMemory(null, srcAddress, null, destAddress, bytes);
  515. }
  516. /**
  517. * Disposes of a block of native memory, as obtained from {@link
  518. * #allocateMemory} or {@link #reallocateMemory}. The address passed to
  519. * this method may be null, in which case no action is taken.
  520. *
  521. * @see #allocateMemory
  522. */
  523. public native void freeMemory(long address);
  524. /// random queries
  525. /**
  526. * This constant differs from all results that will ever be returned from
  527. * {@link #staticFieldOffset}, {@link #objectFieldOffset},
  528. * or {@link #arrayBaseOffset}.
  529. */
  530. public static final int INVALID_FIELD_OFFSET = -1;
  531. /**
  532. * Returns the offset of a field, truncated to 32 bits.
  533. * This method is implemented as follows:
  534. * <blockquote>
  535. <pre>
  536. * public int fieldOffset(Field f) {
  537. * if (Modifier.isStatic(f.getModifiers()))
  538. * return (int) staticFieldOffset(f);
  539. * else
  540. * return (int) objectFieldOffset(f);
  541. * }
  542. * </pre></blockquote>
  543. * @deprecated As of 1.4.1, use {@link #staticFieldOffset} for static
  544. * fields and {@link #objectFieldOffset} for non-static fields.
  545. */
  546. @Deprecated
  547. public int fieldOffset(Field f) {
  548. if (Modifier.isStatic(f.getModifiers()))
  549. return (int) staticFieldOffset(f);
  550. else
  551. return (int) objectFieldOffset(f);
  552. }
  553. /**
  554. * Returns the base address for accessing some static field
  555. * in the given class. This method is implemented as follows:
  556. * <blockquote>
  557. <pre>
  558. * public Object staticFieldBase(Class c) {
  559. * Field[] fields = c.getDeclaredFields();
  560. * for (int i = 0; i < fields.length; i++) {
  561. * if (Modifier.isStatic(fields[i].getModifiers())) {
  562. * return staticFieldBase(fields[i]);
  563. * }
  564. * }
  565. * return null;
  566. * }
  567. * </pre></blockquote>
  568. * @deprecated As of 1.4.1, use {@link #staticFieldBase(Field)}
  569. * to obtain the base pertaining to a specific {@link Field}.
  570. * This method works only for JVMs which store all statics
  571. * for a given class in one place.
  572. */
  573. @Deprecated
  574. public Object staticFieldBase(Class<?> c) {
  575. Field[] fields = c.getDeclaredFields();
  576. for (int i = 0; i < fields.length; i++) {
  577. if (Modifier.isStatic(fields[i].getModifiers())) {
  578. return staticFieldBase(fields[i]);
  579. }
  580. }
  581. return null;
  582. }
  583. /**
  584. * Report the location of a given field in the storage allocation of its
  585. * class. Do not expect to perform any sort of arithmetic on this offset;
  586. * it is just a cookie which is passed to the unsafe heap memory accessors.
  587. *
  588. * <p>Any given field will always have the same offset and base, and no
  589. * two distinct fields of the same class will ever have the same offset
  590. * and base.
  591. *
  592. * <p>As of 1.4.1, offsets for fields are represented as long values,
  593. * although the Sun JVM does not use the most significant 32 bits.
  594. * However, JVM implementations which store static fields at absolute
  595. * addresses can use long offsets and null base pointers to express
  596. * the field locations in a form usable by {@link #getInt(Object,long)}.
  597. * Therefore, code which will be ported to such JVMs on 64-bit platforms
  598. * must preserve all bits of static field offsets.
  599. * @see #getInt(Object, long)
  600. */
  601. public native long staticFieldOffset(Field f);
  602. /**
  603. * Report the location of a given static field, in conjunction with {@link
  604. * #staticFieldBase}.
  605. * <p>Do not expect to perform any sort of arithmetic on this offset;
  606. * it is just a cookie which is passed to the unsafe heap memory accessors.
  607. *
  608. * <p>Any given field will always have the same offset, and no two distinct
  609. * fields of the same class will ever have the same offset.
  610. *
  611. * <p>As of 1.4.1, offsets for fields are represented as long values,
  612. * although the Sun JVM does not use the most significant 32 bits.
  613. * It is hard to imagine a JVM technology which needs more than
  614. * a few bits to encode an offset within a non-array object,
  615. * However, for consistency with other methods in this class,
  616. * this method reports its result as a long value.
  617. * @see #getInt(Object, long)
  618. */
  619. public native long objectFieldOffset(Field f);
  620. /**
  621. * Report the location of a given static field, in conjunction with {@link
  622. * #staticFieldOffset}.
  623. * <p>Fetch the base "Object", if any, with which static fields of the
  624. * given class can be accessed via methods like {@link #getInt(Object,
  625. * long)}. This value may be null. This value may refer to an object
  626. * which is a "cookie", not guaranteed to be a real Object, and it should
  627. * not be used in any way except as argument to the get and put routines in
  628. * this class.
  629. */
  630. public native Object staticFieldBase(Field f);
  631. /**
  632. * Detect if the given class may need to be initialized. This is often
  633. * needed in conjunction with obtaining the static field base of a
  634. * class.
  635. * @return false only if a call to {@code ensureClassInitialized} would have no effect
  636. */
  637. public native boolean shouldBeInitialized(Class<?> c);
  638. /**
  639. * Ensure the given class has been initialized. This is often
  640. * needed in conjunction with obtaining the static field base of a
  641. * class.
  642. */
  643. public native void ensureClassInitialized(Class<?> c);
  644. /**
  645. * Report the offset of the first element in the storage allocation of a
  646. * given array class. If {@link #arrayIndexScale} returns a non-zero value
  647. * for the same class, you may use that scale factor, together with this
  648. * base offset, to form new offsets to access elements of arrays of the
  649. * given class.
  650. *
  651. * @see #getInt(Object, long)
  652. * @see #putInt(Object, long, int)
  653. */
  654. public native int arrayBaseOffset(Class<?> arrayClass);
  655. /** The value of {@code arrayBaseOffset(boolean[].class)} */
  656. public static final int ARRAY_BOOLEAN_BASE_OFFSET
  657. = theUnsafe.arrayBaseOffset(boolean[].class);
  658. /** The value of {@code arrayBaseOffset(byte[].class)} */
  659. public static final int ARRAY_BYTE_BASE_OFFSET
  660. = theUnsafe.arrayBaseOffset(byte[].class);
  661. /** The value of {@code arrayBaseOffset(short[].class)} */
  662. public static final int ARRAY_SHORT_BASE_OFFSET
  663. = theUnsafe.arrayBaseOffset(short[].class);
  664. /** The value of {@code arrayBaseOffset(char[].class)} */
  665. public static final int ARRAY_CHAR_BASE_OFFSET
  666. = theUnsafe.arrayBaseOffset(char[].class);
  667. /** The value of {@code arrayBaseOffset(int[].class)} */
  668. public static final int ARRAY_INT_BASE_OFFSET
  669. = theUnsafe.arrayBaseOffset(int[].class);
  670. /** The value of {@code arrayBaseOffset(long[].class)} */
  671. public static final int ARRAY_LONG_BASE_OFFSET
  672. = theUnsafe.arrayBaseOffset(long[].class);
  673. /** The value of {@code arrayBaseOffset(float[].class)} */
  674. public static final int ARRAY_FLOAT_BASE_OFFSET
  675. = theUnsafe.arrayBaseOffset(float[].class);
  676. /** The value of {@code arrayBaseOffset(double[].class)} */
  677. public static final int ARRAY_DOUBLE_BASE_OFFSET
  678. = theUnsafe.arrayBaseOffset(double[].class);
  679. /** The value of {@code arrayBaseOffset(Object[].class)} */
  680. public static final int ARRAY_OBJECT_BASE_OFFSET
  681. = theUnsafe.arrayBaseOffset(Object[].class);
  682. /**
  683. * Report the scale factor for addressing elements in the storage
  684. * allocation of a given array class. However, arrays of "narrow" types
  685. * will generally not work properly with accessors like {@link
  686. * #getByte(Object, int)}, so the scale factor for such classes is reported
  687. * as zero.
  688. *
  689. * @see #arrayBaseOffset
  690. * @see #getInt(Object, long)
  691. * @see #putInt(Object, long, int)
  692. */
  693. public native int arrayIndexScale(Class<?> arrayClass);
  694. /** The value of {@code arrayIndexScale(boolean[].class)} */
  695. public static final int ARRAY_BOOLEAN_INDEX_SCALE
  696. = theUnsafe.arrayIndexScale(boolean[].class);
  697. /** The value of {@code arrayIndexScale(byte[].class)} */
  698. public static final int ARRAY_BYTE_INDEX_SCALE
  699. = theUnsafe.arrayIndexScale(byte[].class);
  700. /** The value of {@code arrayIndexScale(short[].class)} */
  701. public static final int ARRAY_SHORT_INDEX_SCALE
  702. = theUnsafe.arrayIndexScale(short[].class);
  703. /** The value of {@code arrayIndexScale(char[].class)} */
  704. public static final int ARRAY_CHAR_INDEX_SCALE
  705. = theUnsafe.arrayIndexScale(char[].class);
  706. /** The value of {@code arrayIndexScale(int[].class)} */
  707. public static final int ARRAY_INT_INDEX_SCALE
  708. = theUnsafe.arrayIndexScale(int[].class);
  709. /** The value of {@code arrayIndexScale(long[].class)} */
  710. public static final int ARRAY_LONG_INDEX_SCALE
  711. = theUnsafe.arrayIndexScale(long[].class);
  712. /** The value of {@code arrayIndexScale(float[].class)} */
  713. public static final int ARRAY_FLOAT_INDEX_SCALE
  714. = theUnsafe.arrayIndexScale(float[].class);
  715. /** The value of {@code arrayIndexScale(double[].class)} */
  716. public static final int ARRAY_DOUBLE_INDEX_SCALE
  717. = theUnsafe.arrayIndexScale(double[].class);
  718. /** The value of {@code arrayIndexScale(Object[].class)} */
  719. public static final int ARRAY_OBJECT_INDEX_SCALE
  720. = theUnsafe.arrayIndexScale(Object[].class);
  721. /**
  722. * Report the size in bytes of a native pointer, as stored via {@link
  723. * #putAddress}. This value will be either 4 or 8. Note that the sizes of
  724. * other primitive types (as stored in native memory blocks) is determined
  725. * fully by their information content.
  726. */
  727. public native int addressSize();
  728. /** The value of {@code addressSize()} */
  729. public static final int ADDRESS_SIZE = theUnsafe.addressSize();
  730. /**
  731. * Report the size in bytes of a native memory page (whatever that is).
  732. * This value will always be a power of two.
  733. */
  734. public native int pageSize();
  735. /// random trusted operations from JNI:
  736. /**
  737. * Tell the VM to define a class, without security checks. By default, the
  738. * class loader and protection domain come from the caller's class.
  739. */
  740. public native Class<?> defineClass(String name, byte[] b, int off, int len,
  741. ClassLoader loader,
  742. ProtectionDomain protectionDomain);
  743. /**
  744. * Define a class but do not make it known to the class loader or system dictionary.
  745. * <p>
  746. * For each CP entry, the corresponding CP patch must either be null or have
  747. * the a format that matches its tag:
  748. * <ul>
  749. * <li>Integer, Long, Float, Double: the corresponding wrapper object type from java.lang
  750. * <li>Utf8: a string (must have suitable syntax if used as signature or name)
  751. * <li>Class: any java.lang.Class object
  752. * <li>String: any object (not just a java.lang.String)
  753. * <li>InterfaceMethodRef: (NYI) a method handle to invoke on that call site's arguments
  754. * </ul>
  755. * @params hostClass context for linkage, access control, protection domain, and class loader
  756. * @params data bytes of a class file
  757. * @params cpPatches where non-null entries exist, they replace corresponding CP entries in data
  758. */
  759. public native Class<?> defineAnonymousClass(Class<?> hostClass, byte[] data, Object[] cpPatches);
  760. /** Allocate an instance but do not run any constructor.
  761. Initializes the class if it has not yet been. */
  762. public native Object allocateInstance(Class<?> cls)
  763. throws InstantiationException;
  764. /** Lock the object. It must get unlocked via {@link #monitorExit}. */
  765. @Deprecated
  766. public native void monitorEnter(Object o);
  767. /**
  768. * Unlock the object. It must have been locked via {@link
  769. * #monitorEnter}.
  770. */
  771. @Deprecated
  772. public native void monitorExit(Object o);
  773. /**
  774. * Tries to lock the object. Returns true or false to indicate
  775. * whether the lock succeeded. If it did, the object must be
  776. * unlocked via {@link #monitorExit}.
  777. */
  778. @Deprecated
  779. public native boolean tryMonitorEnter(Object o);
  780. /** Throw the exception without telling the verifier. */
  781. public native void throwException(Throwable ee);
  782. /**
  783. * Atomically update Java variable to <tt>x</tt> if it is currently
  784. * holding <tt>expected</tt>.
  785. * @return <tt>true</tt> if successful
  786. */
  787. public final native boolean compareAndSwapObject(Object o, long offset,
  788. Object expected,
  789. Object x);
  790. /**
  791. * Atomically update Java variable to <tt>x</tt> if it is currently
  792. * holding <tt>expected</tt>.
  793. * @return <tt>true</tt> if successful
  794. */
  795. public final native boolean compareAndSwapInt(Object o, long offset,
  796. int expected,
  797. int x);
  798. /**
  799. * Atomically update Java variable to <tt>x</tt> if it is currently
  800. * holding <tt>expected</tt>.
  801. * @return <tt>true</tt> if successful
  802. */
  803. public final native boolean compareAndSwapLong(Object o, long offset,
  804. long expected,
  805. long x);
  806. /**
  807. * Fetches a reference value from a given Java variable, with volatile
  808. * load semantics. Otherwise identical to {@link #getObject(Object, long)}
  809. */
  810. public native Object getObjectVolatile(Object o, long offset);
  811. /**
  812. * Stores a reference value into a given Java variable, with
  813. * volatile store semantics. Otherwise identical to {@link #putObject(Object, long, Object)}
  814. */
  815. public native void putObjectVolatile(Object o, long offset, Object x);
  816. /** Volatile version of {@link #getInt(Object, long)} */
  817. public native int getIntVolatile(Object o, long offset);
  818. /** Volatile version of {@link #putInt(Object, long, int)} */
  819. public native void putIntVolatile(Object o, long offset, int x);
  820. /** Volatile version of {@link #getBoolean(Object, long)} */
  821. public native boolean getBooleanVolatile(Object o, long offset);
  822. /** Volatile version of {@link #putBoolean(Object, long, boolean)} */
  823. public native void putBooleanVolatile(Object o, long offset, boolean x);
  824. /** Volatile version of {@link #getByte(Object, long)} */
  825. public native byte getByteVolatile(Object o, long offset);
  826. /** Volatile version of {@link #putByte(Object, long, byte)} */
  827. public native void putByteVolatile(Object o, long offset, byte x);
  828. /** Volatile version of {@link #getShort(Object, long)} */
  829. public native short getShortVolatile(Object o, long offset);
  830. /** Volatile version of {@link #putShort(Object, long, short)} */
  831. public native void putShortVolatile(Object o, long offset, short x);
  832. /** Volatile version of {@link #getChar(Object, long)} */
  833. public native char getCharVolatile(Object o, long offset);
  834. /** Volatile version of {@link #putChar(Object, long, char)} */
  835. public native void putCharVolatile(Object o, long offset, char x);
  836. /** Volatile version of {@link #getLong(Object, long)} */
  837. public native long getLongVolatile(Object o, long offset);
  838. /** Volatile version of {@link #putLong(Object, long, long)} */
  839. public native void putLongVolatile(Object o, long offset, long x);
  840. /** Volatile version of {@link #getFloat(Object, long)} */
  841. public native float getFloatVolatile(Object o, long offset);
  842. /** Volatile version of {@link #putFloat(Object, long, float)} */
  843. public native void putFloatVolatile(Object o, long offset, float x);
  844. /** Volatile version of {@link #getDouble(Object, long)} */
  845. public native double getDoubleVolatile(Object o, long offset);
  846. /** Volatile version of {@link #putDouble(Object, long, double)} */
  847. public native void putDoubleVolatile(Object o, long offset, double x);
  848. /**
  849. * Version of {@link #putObjectVolatile(Object, long, Object)}
  850. * that does not guarantee immediate visibility of the store to
  851. * other threads. This method is generally only useful if the
  852. * underlying field is a Java volatile (or if an array cell, one
  853. * that is otherwise only accessed using volatile accesses).
  854. */
  855. public native void putOrderedObject(Object o, long offset, Object x);
  856. /** Ordered/Lazy version of {@link #putIntVolatile(Object, long, int)} */
  857. public native void putOrderedInt(Object o, long offset, int x);
  858. /** Ordered/Lazy version of {@link #putLongVolatile(Object, long, long)} */
  859. public native void putOrderedLong(Object o, long offset, long x);
  860. /**
  861. * Unblock the given thread blocked on <tt>park</tt>, or, if it is
  862. * not blocked, cause the subsequent call to <tt>park</tt> not to
  863. * block. Note: this operation is "unsafe" solely because the
  864. * caller must somehow ensure that the thread has not been
  865. * destroyed. Nothing special is usually required to ensure this
  866. * when called from Java (in which there will ordinarily be a live
  867. * reference to the thread) but this is not nearly-automatically
  868. * so when calling from native code.
  869. * @param thread the thread to unpark.
  870. *
  871. */
  872. public native void unpark(Object thread);
  873. /**
  874. * Block current thread, returning when a balancing
  875. * <tt>unpark</tt> occurs, or a balancing <tt>unpark</tt> has
  876. * already occurred, or the thread is interrupted, or, if not
  877. * absolute and time is not zero, the given time nanoseconds have
  878. * elapsed, or if absolute, the given deadline in milliseconds
  879. * since Epoch has passed, or spuriously (i.e., returning for no
  880. * "reason"). Note: This operation is in the Unsafe class only
  881. * because <tt>unpark</tt> is, so it would be strange to place it
  882. * elsewhere.
  883. */
  884. public native void park(boolean isAbsolute, long time);
  885. /**
  886. * Gets the load average in the system run queue assigned
  887. * to the available processors averaged over various periods of time.
  888. * This method retrieves the given <tt>nelem</tt> samples and
  889. * assigns to the elements of the given <tt>loadavg</tt> array.
  890. * The system imposes a maximum of 3 samples, representing
  891. * averages over the last 1, 5, and 15 minutes, respectively.
  892. *
  893. * @params loadavg an array of double of size nelems
  894. * @params nelems the number of samples to be retrieved and
  895. * must be 1 to 3.
  896. *
  897. * @return the number of samples actually retrieved; or -1
  898. * if the load average is unobtainable.
  899. */
  900. public native int getLoadAverage(double[] loadavg, int nelems);
  901. // The following contain CAS-based Java implementations used on
  902. // platforms not supporting native instructions
  903. /**
  904. * Atomically adds the given value to the current value of a field
  905. * or array element within the given object <code>o</code>
  906. * at the given <code>offset</code>.
  907. *
  908. * @param o object/array to update the field/element in
  909. * @param offset field/element offset
  910. * @param delta the value to add
  911. * @return the previous value
  912. * @since 1.8
  913. */
  914. public final int getAndAddInt(Object o, long offset, int delta) {
  915. int v;
  916. do {
  917. v = getIntVolatile(o, offset);
  918. } while (!compareAndSwapInt(o, offset, v, v + delta));
  919. return v;
  920. }
  921. /**
  922. * Atomically adds the given value to the current value of a field
  923. * or array element within the given object <code>o</code>
  924. * at the given <code>offset</code>.
  925. *
  926. * @param o object/array to update the field/element in
  927. * @param offset field/element offset
  928. * @param delta the value to add
  929. * @return the previous value
  930. * @since 1.8
  931. */
  932. public final long getAndAddLong(Object o, long offset, long delta) {
  933. long v;
  934. do {
  935. v = getLongVolatile(o, offset);
  936. } while (!compareAndSwapLong(o, offset, v, v + delta));
  937. return v;
  938. }
  939. /**
  940. * Atomically exchanges the given value with the current value of
  941. * a field or array element within the given object <code>o</code>
  942. * at the given <code>offset</code>.
  943. *
  944. * @param o object/array to update the field/element in
  945. * @param offset field/element offset
  946. * @param newValue new value
  947. * @return the previous value
  948. * @since 1.8
  949. */
  950. public final int getAndSetInt(Object o, long offset, int newValue) {
  951. int v;
  952. do {
  953. v = getIntVolatile(o, offset);
  954. } while (!compareAndSwapInt(o, offset, v, newValue));
  955. return v;
  956. }
  957. /**
  958. * Atomically exchanges the given value with the current value of
  959. * a field or array element within the given object <code>o</code>
  960. * at the given <code>offset</code>.
  961. *
  962. * @param o object/array to update the field/element in
  963. * @param offset field/element offset
  964. * @param newValue new value
  965. * @return the previous value
  966. * @since 1.8
  967. */
  968. public final long getAndSetLong(Object o, long offset, long newValue) {
  969. long v;
  970. do {
  971. v = getLongVolatile(o, offset);
  972. } while (!compareAndSwapLong(o, offset, v, newValue));
  973. return v;
  974. }
  975. /**
  976. * Atomically exchanges the given reference value with the current
  977. * reference value of a field or array element within the given
  978. * object <code>o</code> at the given <code>offset</code>.
  979. *
  980. * @param o object/array to update the field/element in
  981. * @param offset field/element offset
  982. * @param newValue new value
  983. * @return the previous value
  984. * @since 1.8
  985. */
  986. public final Object getAndSetObject(Object o, long offset, Object newValue) {
  987. Object v;
  988. do {
  989. v = getObjectVolatile(o, offset);
  990. } while (!compareAndSwapObject(o, offset, v, newValue));
  991. return v;
  992. }
  993. /**
  994. * Ensures lack of reordering of loads before the fence
  995. * with loads or stores after the fence.
  996. * @since 1.8
  997. */
  998. public native void loadFence();
  999. /**
  1000. * Ensures lack of reordering of stores before the fence
  1001. * with loads or stores after the fence.
  1002. * @since 1.8
  1003. */
  1004. public native void storeFence();
  1005. /**
  1006. * Ensures lack of reordering of loads or stores before the fence
  1007. * with loads or stores after the fence.
  1008. * @since 1.8
  1009. */
  1010. public native void fullFence();
  1011. /**
  1012. * Throws IllegalAccessError; for use by the VM.
  1013. * @since 1.8
  1014. */
  1015. private static void throwIllegalAccessError() {
  1016. throw new IllegalAccessError();
  1017. }
  1018. }