90. Invoking the canonical constructor via reflection
It is not a daily task to invoke the canonical constructor of a Java record via reflection. However, this can be accomplished quite easily starting with JDK 16, which provide in java.lang.Class the RecordComponent[] getRecordComponents() method. As its name and signature suggest, this method returns an array of java.lang.reflect.RecordComponent representing the components of the current Java record.Having this array of components, we can call the well-known getDeclaredConstructor() method to identify the constructor that gets as arguments exactly this array of components. And that is the canonical constructor.The code that puts in practice these statements is provided by the Java documentation itself, so there is no need to reinvent it. Here it is:
// this method is from the official documentation of JDK
// https://docs.oracle.com/en/java/javase/19/docs/api/
java.base/java/lang/Class.html#getRecordComponents()
public static <T extends Record> Constructor<T>
getCanonicalConstructor(Class<T> cls)
throws NoSuchMethodException {
Class<?>[] paramTypes
= Arrays.stream(cls.getRecordComponents())
.map(RecordComponent::getType)
.toArray(Class<?>[]::new);
return cls.getDeclaredConstructor(paramTypes);
}
Consider the following records:
public record MelonRecord(String type, float weight) {}
public record MelonMarketRecord(
List<MelonRecord> melons, String country) {}
Finding and calling the canonical constructors for these records via the previous solution can be done as follows:
Constructor<MelonRecord> cmr =
Records.getCanonicalConstructor(MelonRecord.class);
MelonRecord m1 = cmr.newInstance(“Gac”, 5000f);
MelonRecord m2 = cmr.newInstance(“Hemi”, 1400f);
Constructor<MelonMarketRecord> cmmr =
Records.getCanonicalConstructor(MelonMarketRecord.class);
MelonMarketRecord mm = cmmr.newInstance(
List.of(m1, m2), “China”);
If you need a deep coverage of Java reflection principles then consider Java Coding Problems, First Edition, Chapter 7.
91. Using records in streams
Consider the MelonRecord that we have used before:
public record MelonRecord(String type, float weight) {}
And a list of melons as follows:
List<MelonRecord> melons = Arrays.asList(
new MelonRecord(“Crenshaw”, 1200),
new MelonRecord(“Gac”, 3000),
new MelonRecord(“Hemi”, 2600),
…
);
Our goal is to iterate this list of melons and extract the total weight and the list of weights. This data can be carried by a regular Java class or by another record as follows:
public record WeightsAndTotalRecord(
double totalWeight, List<Float> weights) {}
Populating this record with data can be done in several ways but if we prefer the Stream API then most probably we will go for the Collectors.teeing() collector. While this collector is detailed in Java Coding Problems, First Edition, Chapter 9, Problem 192, let’s quickly mention that it is useful for merging the results of two downstream collectors.Let’s see the code:
WeightsAndTotalRecord weightsAndTotal = melons.stream()
.collect(Collectors.teeing(
summingDouble(MelonRecord::weight),
mapping(MelonRecord::weight, toList()),
WeightsAndTotalRecord::new
));
Here, we have the summingDouble() collector, which computes the total weight, and the mapping() collector, which maps the weights in a list. The results of these two downstream collectors are merged in WeightsAndTotalRecord.As you can see, the Stream API and records represent a very nice combo. Let’s have another example starting from this functional code:
Map<Double, Long> elevations = DoubleStream.of(
22, -10, 100, -5, 100, 123, 22, 230, -1, 250, 22)
.filter(e -> e > 0)
.map(e -> e * 0.393701)
.mapToObj(e -> (double) e)
.collect(Collectors.groupingBy(
Function.identity(), counting()));
This code starts from a list of elevations given in centimeters (reported to see level 0). First, we want to keep only the positive elevations (so, we apply filter()). Next, these will be converted to inches (via map()) and counted (via the groupingBy() and counting() collectors).The resulting data is carried by Map<Double, Long> which is not very expressive. If we pull this map out of the context (for instance, we pass it as an argument into a method) is hard to say what Double and Long represent. It will be more expressive to have something as Map<Elevation, ElevationCount> which clearly describes its content.So, Elevation and ElevationCount can be two records as follows:
record Elevation(double value) {
Elevation(double value) {
this.value = value * 0.393701;
}
}
record ElevationCount(long count) {}
To simplify the functional code a little bit, we also moved to conversion from centimeters to inches in the Elevation record inside its explicit canonical constructor. This time, the functional code can be rewritten as follows:
Map<Elevation, ElevationCount> elevations = DoubleStream.of(
22, -10, 100, -5, 100, 123, 22, 230, -1, 250, 22)
.filter(e -> e > 0)
.mapToObj(Elevation::new)
.collect(Collectors.groupingBy(Function.identity(),
Collectors.collectingAndThen(counting(),
ElevationCount::new)));
Now, passing Map<Elevation, ElevationCount> to a method dispels any doubt about its content. Any team member can inspect these records in a blink of an eye without losing time to read our functional implementation in order to deduce what Double and Long represent. We can be even more expressive and rename the Elevation record as PositiveElevation.