Skip to content

Commit aa68595

Browse files
committed
JDK 22: added example of FFM API to call native code
1 parent 9203f6a commit aa68595

5 files changed

+280
-20
lines changed

.gitignore

+2-1
Original file line numberDiff line numberDiff line change
@@ -16,4 +16,5 @@ hs_err_pid*
1616
.DS_Store
1717
*.data
1818
jdt.ls-java-project/
19-
*.dmg
19+
*.dmg
20+
*.so

java-22/ForeignFunctionAndMemoryApiAllocationTest.java

+13-1
Original file line numberDiff line numberDiff line change
@@ -4,13 +4,14 @@
44
import java.util.*;
55

66
/**
7-
* To run: `java --enable-preview --source 22 ForeignFunctionAndMemoryApiAllocationTest.java`
7+
* To run: `java --source 22 ForeignFunctionAndMemoryApiAllocationTest.java`
88
*/
99
public class ForeignFunctionAndMemoryApiAllocationTest {
1010
public static void main(String[] args) {
1111
memorySegmentAllocationExample();
1212
memorySegmentStructManualAllocation();
1313
memorySegmentStructAutoAllocation();
14+
memorySegmentUsingSegmentAllocator();
1415
}
1516

1617
static void memorySegmentAllocationExample() {
@@ -82,4 +83,15 @@ static void memorySegmentStructAutoAllocation() {
8283
yHandle.set(segment, 0L, i, value);
8384
}
8485
}
86+
87+
static void memorySegmentUsingSegmentAllocator() {
88+
try (Arena arena = Arena.ofConfined()) {
89+
MemorySegment segment = arena.allocate(1024 * 1024); // 1 MB
90+
SegmentAllocator allocator = SegmentAllocator.slicingAllocator(segment);
91+
for (int i = 0; i < 10; i++) {
92+
MemorySegment msi = allocator.allocateFrom(ValueLayout.JAVA_INT, i);
93+
}
94+
System.out.println("Memory allocated to use with allocator: " + segment);
95+
}
96+
}
8597
}
Original file line numberDiff line numberDiff line change
@@ -1,18 +1,176 @@
11
import java.lang.foreign.*;
2+
import java.lang.foreign.MemoryLayout.PathElement;
23
import java.lang.invoke.*;
34
import java.util.*;
45

56
/**
6-
* To run: `java --enable-preview --source 22 ForeignFunctionAndMemoryApiFunctionExemple.java`
7+
* To run: `java --enable-native-access=ALL-UNNAMED --source 22 -Djava.library.path=$(pwd)/ ForeignFunctionAndMemoryApiFunctionExemple.java`
78
*/
89
public class ForeignFunctionAndMemoryApiFunctionExemple {
910
public static void main(String[] args) {
1011
functionLookupExample();
12+
downcallForeignFunction();
13+
upcallJavaCodeToForeignFunction();
14+
downcallJavaCodeToForeignFunctionPassingObject();
1115
}
1216

1317
static void functionLookupExample() {
1418
Linker linker = Linker.nativeLinker();
1519
SymbolLookup stdlib = linker.defaultLookup();
16-
Optional<MemorySegment> radixsortMem = stdlib.find("radixsort");
20+
21+
// find the function in stdlib
22+
MemorySegment strlenPtr = stdlib.find("strlen").get();
23+
24+
// function signature: returns a long and receives a char* (address pointer)
25+
FunctionDescriptor signature = FunctionDescriptor.of(ValueLayout.JAVA_LONG, ValueLayout.ADDRESS);
26+
// method handle to be used in Java code to invoke the foreign function
27+
MethodHandle strlen = linker.downcallHandle(strlenPtr, signature);
28+
}
29+
30+
/**
31+
* This method will invoke a standard C library function:
32+
* size_t strlen(const char *s)
33+
*/
34+
static void downcallForeignFunction() {
35+
System.out.println("=== Downcall - passing array pointer (string) and receiving a long ===");
36+
Linker linker = Linker.nativeLinker();
37+
SymbolLookup stdlib = linker.defaultLookup();
38+
MemorySegment strlenPtr = stdlib.find("strlen").get();
39+
FunctionDescriptor signature = FunctionDescriptor.of(ValueLayout.JAVA_LONG, ValueLayout.ADDRESS);
40+
MethodHandle strlen = linker.downcallHandle(strlenPtr, signature);
41+
42+
try (Arena arena = Arena.ofConfined()) {
43+
// allocates the memory (char*)
44+
MemorySegment str = arena.allocateFrom("Hello FFM API!");
45+
// invokes the native function passing the memory with the string
46+
long len = (long) strlen.invoke(str);
47+
48+
System.out.println("strlen returned: " + len);
49+
} catch (Throwable ex) {
50+
System.err.println("Error: " + ex.getMessage());
51+
}
52+
}
53+
54+
/**
55+
* This method will invoke a standard C library function:
56+
* void qsort(void *base, size_t nmemb, size_t size, int (*compar)(const void *, const void *))
57+
*/
58+
static void upcallJavaCodeToForeignFunction() {
59+
System.out.println("=== Downcall and Upcall - passing array pointer and function pointer ===");
60+
Linker linker = Linker.nativeLinker();
61+
SymbolLookup stdlib = linker.defaultLookup();
62+
63+
MethodHandle qsort = linker.downcallHandle(
64+
stdlib.find("qsort").get(),
65+
// signature: (array pointer, long, long, function pointer)
66+
FunctionDescriptor.ofVoid(ValueLayout.ADDRESS, ValueLayout.JAVA_LONG, ValueLayout.JAVA_LONG, ValueLayout.ADDRESS)
67+
);
68+
69+
// method handle to invoke the Java method
70+
MethodHandle comparatorHandle = null;
71+
try {
72+
comparatorHandle = MethodHandles.lookup().findStatic(
73+
MemorySegmentIntComparator.class,
74+
"compare", // method name
75+
MethodType.methodType(int.class, MemorySegment.class, MemorySegment.class) // signature (return and parameters)
76+
);
77+
} catch(NoSuchMethodException | IllegalAccessException ex) {}
78+
79+
// Java method pointer
80+
MemorySegment comparatorPtr = linker.upcallStub(
81+
comparatorHandle,
82+
FunctionDescriptor.of( // signature
83+
ValueLayout.JAVA_INT,
84+
ValueLayout.ADDRESS.withTargetLayout(ValueLayout.JAVA_INT),
85+
ValueLayout.ADDRESS.withTargetLayout(ValueLayout.JAVA_INT)
86+
),
87+
Arena.ofAuto() // arena to be used to allocate the foreign function arguments to pass to Java code
88+
);
89+
90+
try (Arena arena = Arena.ofConfined()) {
91+
int[] array = new int[] { 4, 0, 8, 7, 1, 6, 5, 9, 3, 2 };
92+
System.out.println("Array to be sorted: " + Arrays.toString(array));
93+
94+
MemorySegment arrayPtr = arena.allocateFrom(ValueLayout.JAVA_INT, array);
95+
96+
// the array will be sorted in-place
97+
qsort.invoke(arrayPtr, array.length, ValueLayout.JAVA_INT.byteSize(), comparatorPtr);
98+
99+
// gets the sorted array from the memory
100+
int[] sortedArray = arrayPtr.toArray(ValueLayout.JAVA_INT);
101+
102+
System.out.println("Sorted array: " + Arrays.toString(sortedArray));
103+
} catch (Throwable ex) {
104+
System.err.println("Error: " + ex.getMessage());
105+
}
106+
}
107+
108+
/**
109+
* This method will invoke the C function `validate_person` defined in the `person_validator.c`.
110+
* The C code must be compiled first: `gcc -c person_validator.c`
111+
* Function's signature: char* validate_person(struct Person* person)
112+
* Struct: `struct Person { char* name; short age; }`
113+
*/
114+
static void downcallJavaCodeToForeignFunctionPassingObject() {
115+
System.out.println("=== Downcall - passing struct pointer and receiving an array pointer (string) ===");
116+
System.load(System.getProperty("java.library.path") + "libpersonvalidator.so");
117+
118+
SymbolLookup symbolLookup = SymbolLookup.loaderLookup();
119+
120+
MemoryLayout personStructMemoryLayout = MemoryLayout.structLayout(
121+
ValueLayout.ADDRESS.withName("name"),
122+
ValueLayout.JAVA_SHORT.withName("age")
123+
);
124+
125+
MethodHandle personValidator = Linker.nativeLinker().downcallHandle(
126+
symbolLookup.find("validate_person").get(),
127+
// signature: struct pointer -> string pointer
128+
FunctionDescriptor.of(ValueLayout.ADDRESS, ValueLayout.ADDRESS)
129+
);
130+
131+
VarHandle nameHandle = personStructMemoryLayout.varHandle(PathElement.groupElement("name"));
132+
VarHandle ageHandle = personStructMemoryLayout.varHandle(PathElement.groupElement("age"));
133+
134+
var people = List.of(
135+
new Person(1, null, (short) 0),
136+
new Person(2, "", (short) 0),
137+
new Person(3, "Marley", (short) 0),
138+
new Person(4, "Marley", (short) 10),
139+
new Person(5, "Marley", (short) 19)
140+
);
141+
142+
people.forEach(person -> {
143+
try (Arena arena = Arena.ofConfined()) {
144+
MemorySegment personPtr = arena.allocate(personStructMemoryLayout);
145+
if (person.name() == null) {
146+
nameHandle.set(personPtr, 0L, MemorySegment.NULL);
147+
} else {
148+
nameHandle.set(personPtr, 0L, arena.allocateFrom(person.name()));
149+
}
150+
ageHandle.set(personPtr, 0L, person.age());
151+
152+
// returns a zero-length memory segment (address pointer)
153+
MemorySegment resultPtr = (MemorySegment) personValidator.invoke(personPtr);
154+
// reinterpret the pointer to tell the size (max value to read until `\0`)
155+
MemorySegment messagePtr = resultPtr.reinterpret(Integer.MAX_VALUE);
156+
String message = messagePtr.getString(0);
157+
158+
System.out.println("ID " + person.id() + " validation result: " + message);
159+
} catch (Throwable ex) {
160+
System.err.println("Error: " + ex.getMessage());
161+
}
162+
});
163+
}
164+
}
165+
166+
class MemorySegmentIntComparator {
167+
// function to be called by the foreign function
168+
static int compare(MemorySegment x, MemorySegment y) {
169+
System.err.println("\tJava method called with " + x + " and " + y);
170+
// get the int in the memory
171+
return Integer.compare(x.get(ValueLayout.JAVA_INT, 0), y.get(ValueLayout.JAVA_INT, 0));
17172
}
18173
}
174+
175+
record Person(int id, String name, short age) {}
176+

java-22/README.md

+77-16
Original file line numberDiff line numberDiff line change
@@ -83,28 +83,44 @@ To run each example use: `java --enable-preview --source 22 <FileName.java>`
8383
* we can use in a try-with-resources:
8484
* ```java
8585
try (Arena confinedArena = Arena.ofConfined()) {
86-
MemorySegment input = confinedArena.allocate(100);
87-
MemorySegment output = confinedArena.allocate(100);
86+
MemorySegment input = confinedArena.allocate(100);
87+
MemorySegment output = confinedArena.allocate(100);
8888
} // will be deallocated from here
8989
```
9090
* [shared arena](https://cr.openjdk.org/~mcimadamore/jdk/FFM_23_PR/javadoc/java.base/java/lang/foreign/Arena.html#ofShared()):
9191
* is a confined arena for multi-threading
9292
* any thread can access and close the memory segment
93+
* allocators:
94+
* is an abstraction to define operations to allocate and initialize memory segments
95+
* memory allocation can be bottleneck when using off-heap memory, allocators help to minimize this
96+
* we can allocate a large memory and then use allocator to distribute through the application
97+
* we can create an allocator using an already allocated memory segment
98+
* the segments allocated by the allocator will have the same bounded lifetime
99+
* ```java
100+
MemorySegment segment = Arena.ofAuto().allocate(1024 * 1024 * 1024); // 1 GB
101+
SegmentAllocator allocator = SegmentAllocator.slicingAllocator(segment);
102+
for (int i = 0; i < 10; i++) {
103+
MemorySegment msi = allocator.allocateFrom(ValueLayout.JAVA_INT, i);
104+
}
105+
```
93106
* Memory layout:
94107
* [Value layout](https://cr.openjdk.org/~mcimadamore/jdk/FFM_22_PR/javadoc/java.base/java/lang/foreign/ValueLayout.html):
95108
* abstraction to facilitate the memory value layout usage
96-
* eg.: to work with int, we can use `ValueLayout.JAVA_INT` to read 4 bytes using the platform endianess to correctly extract an int from a memory segment
109+
* eg.: to work with int, we can use `ValueLayout.JAVA_INT` to read 4 bytes using the platform endianness to correctly extract an int from a memory segment
110+
* `MemorySegment int = Arena.global().allocateFrom(ValueLayout.JAVA_INT, 42)`
111+
* `MemorySegment intArray = Arena.global().allocateFrom(ValueLayout.JAVA_INT, 0, 1, 2, 3, 4, 5)`
112+
* `MemorySegment text = Arena.global().allocateFrom("Hello World!")`
97113
* memory segments have simple dereference methods to read values from and write values to memory segments, these methods accept a value layout
98114
* example how to write value from 1 to 10 in a memory segment:
99115
* ```java
100116
MemorySegment segment = Arena.ofAuto().allocate(
101-
ValueLayout.JAVA_INT.byteSize() * 10, // memory size
102-
ValueLayout.JAVA_INT.byteAlignment() // memory alignment
117+
ValueLayout.JAVA_INT.byteSize() * 10, // memory size
118+
ValueLayout.JAVA_INT.byteAlignment() // memory alignment
103119
);
104120
for (int i = 0; i < 10; i++) {
105-
int value = i + 1;
106-
// the memory offset is calculated from: value layout byte size * index
107-
segment.setAtIndex(ValueLayout.JAVA_INT, i, value);
121+
int value = i + 1;
122+
// the memory offset is calculated from: value layout byte size * index
123+
segment.setAtIndex(ValueLayout.JAVA_INT, i, value);
108124
}
109125
```
110126
* Structured access:
@@ -117,24 +133,67 @@ To run each example use: `java --enable-preview --source 22 <FileName.java>`
117133
* we can manually declare the memory layout:
118134
```java
119135
MemorySegment segment = Arena.ofAuto().allocate(
120-
2 * ValueLayout.JAVA_INT.byteSize() * 10,
121-
ValueLayout.JAVA_INT.byteAlignment()
136+
2 * ValueLayout.JAVA_INT.byteSize() * 10,
137+
ValueLayout.JAVA_INT.byteAlignment()
122138
);
123139
```
124140
* we can use memory layout to describe the content of a memory segment and use `VarHandle` to write the values in the struct:
125141
```java
126142
SequenceLayout ptsLayout = MemoryLayout.sequenceLayout(
127-
10, // size
128-
MemoryLayout.structLayout( // declare a C struct
129-
ValueLayout.JAVA_INT.withName("x"),
130-
ValueLayout.JAVA_INT.withName("y")
131-
)
143+
10, // size
144+
MemoryLayout.structLayout( // declare a C struct
145+
ValueLayout.JAVA_INT.withName("x"),
146+
ValueLayout.JAVA_INT.withName("y")
147+
)
132148
);
133149
MemorySegment segment = Arena.ofAuto().allocate(ptsLayout);
134150
```
151+
* Foreign functions:
152+
* native library loaded from a lookup doesn'n belong to any class loader (unlike JNI), allowing the native library to be reloaded by any other class
153+
* JNI requires the native library to be loaded by only one class loader
154+
* FFM API doesn't provides any function for native code to access the Java environment (unlike JNI)
155+
* but we can pass a Java code as function pointer to native function
156+
* FFM API uses `MethodHandle` to interoperate between Java code and native function
157+
* steps need to call a foreign function:
158+
* find the address of a given symbol in a loaded native library
159+
* link the Java code to a foreign function
160+
* Symbol lookup:
161+
* we can use `SymbolLookup` to lookup a function address:
162+
* `SymbolLookup::libraryLookup(String, Arena)`: creates a library lookup, loads the libreary and associates with the given Arena object;
163+
* `SymbolLookup::loaderLookup()`: creates a loader lookup that locates all the symbols in all the native libraries that have been loaded by classes in the current class loader (`System::loadLibrary` and `System::load`);
164+
* `Linker::defaultLookup()`: creates a default lookup that locates all the symbols that are commonly used in the native platform (OS).
165+
* we can use `SymbolLookup::find(String)` to find a function by its name
166+
* if it is present then a memory segment, which points to funtion's entry point, is returned
167+
* Linking Java code to foreign function:
168+
* interface `Linker` is the main point to allow Java code to interoperate with native code
169+
* calls:
170+
* downcall: call from Java code to native code;
171+
* upcall: call from native code back to Java code (linker a function pointer).
172+
* the native linker conforms to the Application Binary Interface (BNI) of the native platform
173+
* ABNI specifies the calling convension, the size, alignment, endianness of scalar types and others details
174+
* `Linker linker = Linker.nativeLinker()`
175+
* downcall:
176+
* we use `Linker::downcallHandle` to link Java code to a foreign function
177+
* `Linker::downcallHandle(MemorySegment, FunctionDescriptor)` returns a `MethodHandle` to be used to invoke the native function
178+
* we must provide a `FunctionDescriptor` to define the native function signature (return type and the parameters types)
179+
* we can create one using `FunctionDescriptor.of` or `FunctionDescriptor.ofVoid` passing the memory layout to define the signature
180+
* developer must be aware of the current native platform that will be used (size of scalar types used in C functions)
181+
* eg.: on Linux and macOS, a long is JAVA_LONG; on Windows, a long is JAVA_INT
182+
* we can use `Linker::canonicalLayouts()` to see the association between scalar C types and Java's ValueLayout
183+
* JVM guarantee that the functions arguments used in `MethodHandle` will match the `FunctionDescriptor` used to downcall the function
184+
* this way our types will be verified in the Java level
185+
* if the native function returns a by-value struct, we must provide an additional `SegmentAllocator` argument that will be used to allocate the memory to hold the struct returned
186+
* if the native function allocates a memory and returns a pointer to it, a zero-length memory segment is return to Java code
187+
* because the JVM cannot guarantee the allocated memory size off-heap
188+
* the client must call `MemorySegment::reinterpret` to tell the JVM the memory's size (the user may not know)
189+
* this is an unsafe operation (could crash the JVM or leave the memory in a corruption stat)
190+
* upcall:
191+
* we can pass Java code as a function pointer to be called by the foreign function
192+
* we use `Linker::upcallStub` to "externalize" a Java code
193+
* we must provide a `MethodHandle` that points to the Java method, a `FunctionDescriptor` with the method signature
135194
* **Unnamed Variables and Patterns**
136195
* promotion to standard
137-
* no change from JDK 21
196+
* no change from JDK 2
138197
* **Class-File API**
139198
* provide standard API for parsing, generating and transforming Java class file
140199
* **Launch Multi-File Source-Code Programs**
@@ -200,4 +259,6 @@ To run each example use: `java --enable-preview --source 22 <FileName.java>`
200259

201260
* [JDK 22 - JEP Dashboard](https://bugs.openjdk.org/secure/Dashboard.jspa?selectPageId=21900)
202261
* [Gathering the Streams](https://cr.openjdk.org/~vklang/Gatherers.html)
262+
* Presentations:
263+
* [Foreign Function & Memory API - A (Quick) Peek Under the Hood](https://www.youtube.com/watch?v=iwmVbeiA42E)
203264

java-22/person_validator.c

+28
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,28 @@
1+
/**
2+
* Compile: `gcc -shared -o libpersonvalidator.so -I $(pwd) person_validator.c`
3+
*/
4+
#include <string.h>
5+
6+
struct Person {
7+
char* name;
8+
short age;
9+
};
10+
11+
char* validate_person(struct Person* person) {
12+
if (person == NULL) {
13+
return "Invalid person (null)";
14+
}
15+
if (person->name == NULL) {
16+
return "Invalid name (null)";
17+
}
18+
if (strlen(person->name) < 1) {
19+
return "Invalid name (empty)";
20+
}
21+
if (person->age < 1 || person->age > 150) {
22+
return "Invalid age";
23+
}
24+
if (person->age < 18) {
25+
return "Person is too young";
26+
}
27+
return "Person is valid";
28+
}

0 commit comments

Comments
 (0)