- Method References
- Kinds of Method References
- Reference to a Static Method
- Reference to an Instance Method of a Particular Object
- Reference to an Instance Method of an Arbitrary Object of a Particular Type
- Reference to a Constructor
- Получение Method из Method Reference в Java
- Зачем вообще это нужно?
- SerializedLambda
- А с конструкторами работает?
- Совместимость
- Готовый утилитарный метод
Method References
You use lambda expressions to create anonymous methods. Sometimes, however, a lambda expression does nothing but call an existing method. In those cases, it’s often clearer to refer to the existing method by name. Method references enable you to do this; they are compact, easy-to-read lambda expressions for methods that already have a name.
Consider again the Person class discussed in the section Lambda Expressions:
Suppose that the members of your social networking application are contained in an array, and you want to sort the array by age. You could use the following code (find the code excerpts described in this section in the example MethodReferencesTest ):
The method signature of this invocation of sort is the following:
Notice that the interface Comparator is a functional interface. Therefore, you could use a lambda expression instead of defining and then creating a new instance of a class that implements Comparator :
However, this method to compare the birth dates of two Person instances already exists as Person.compareByAge . You can invoke this method instead in the body of the lambda expression:
Because this lambda expression invokes an existing method, you can use a method reference instead of a lambda expression:
The method reference Person::compareByAge is semantically the same as the lambda expression (a, b) -> Person.compareByAge(a, b) . Each has the following characteristics:
- Its formal parameter list is copied from Comparator
.compare , which is (Person, Person) .
Kinds of Method References
There are four kinds of method references:
Kind | Syntax | Examples |
---|---|---|
Reference to a static method | ContainingClass::staticMethodName | Person::compareByAge MethodReferencesExamples::appendStrings |
Reference to an instance method of a particular object | containingObject::instanceMethodName | myComparisonProvider::compareByName myApp::appendStrings2 |
Reference to an instance method of an arbitrary object of a particular type | ContainingType::methodName | String::compareToIgnoreCase String::concat |
Reference to a constructor | ClassName::new | HashSet::new |
The following example, MethodReferencesExamples , contains examples of the first three types of method references:
All the System.out.println() statements print the same thing: Hello World!
BiFunction is one of many functional interfaces in the java.util.function package. The BiFunction functional interface can represent a lambda expression or method reference that accepts two arguments and produces a result.
Reference to a Static Method
The method references Person::compareByAge and MethodReferencesExamples::appendStrings are references to a static method.
Reference to an Instance Method of a Particular Object
The following is an example of a reference to an instance method of a particular object:
The method reference myComparisonProvider::compareByName invokes the method compareByName that is part of the object myComparisonProvider . The JRE infers the method type arguments, which in this case are (Person, Person) .
Similarly, the method reference myApp::appendStrings2 invokes the method appendStrings2 that is part of the object myApp . The JRE infers the method type arguments, which in this case are (String, String) .
Reference to an Instance Method of an Arbitrary Object of a Particular Type
The following is an example of a reference to an instance method of an arbitrary object of a particular type:
The equivalent lambda expression for the method reference String::compareToIgnoreCase would have the formal parameter list (String a, String b) , where a and b are arbitrary names used to better describe this example. The method reference would invoke the method a.compareToIgnoreCase(b) .
Similarly, the method reference String::concat would invoke the method a.concat(b) .
Reference to a Constructor
You can reference a constructor in the same way as a static method by using the name new . The following method copies elements from one collection to another:
The functional interface Supplier contains one method get that takes no arguments and returns an object. Consequently, you can invoke the method transferElements with a lambda expression as follows:
You can use a constructor reference in place of the lambda expression as follows:
The Java compiler infers that you want to create a HashSet collection that contains elements of type Person . Alternatively, you can specify this as follows:
Источник
Получение Method из Method Reference в Java
Я столкнулся с проблемой — как получить из method reference вида
вызываемый метод класса (или хотя бы его имя), т.е. в примере это java.lang.String.length() . Как выяснилось, не одного меня волновал этот вопрос, нашлись такие обсуждения на stackoverflow [1], [2], проекты на GitHub, которые так или иначе касаются этой проблемы [1], [2], [3], но не один из них не дает ровно то, что нужно. На Хабре ibessonov предложил свое решение, а apangin — свое в комментарии. Вариант Андрея мне понравился, но вскоре выяснились некоторые связанные с ним проблемы. Во-первых, это основано на внутренних классах JDK, все это работает только в Java 8, но не в более поздних версиях. Во-вторых, этот метод имеет ряд ограничений, например для BiFunction или BiConsumer он выдает неверное значение (это как раз обсуждается в комментариях).
В общем, перебрав несколько вариантов, удалось найти тот, который не имеет этих изьянов и работает в поздних версиях JDK — SerializedLambda. Забегая вперед сразу скажу, что это работает только с функциональными интерфейсами, помеченными как java.io.Serializable (т.е. с java.util.function.Function работать не будет), но в целом это не проблемное ограничение.
Зачем вообще это нужно?
Перед тем как перейти к решению, отвечу на резонный вопрос а зачем это может понадобиться?
В моем случае это используется в тестовых фреймворках, чтобы добавить диагностическую информацию о вызываемом методе, который определялся через method reference. Это позволяет сделать одновременно лаконичный и compile-безопасный код. Например, можно сделать «where» hamcrest matcher, использующий функцию-extractor для значений:
Обратите внимание, что в случае ошибки тест упадет с диагностикой «after call SamplePojo.getName» . Для однострочного теста это кажется избыточным, но hamcrest-выражения могут иметь многоуровневую вложенность, поэтому лишняя детализация не помешает.
SerializedLambda
Класс java.lang.invoke.SerializedLambda — это сериализованное представление лямбда-выражения. Важно уточнить, что интерфейс лямбда-выражения должен быть помечен как Serializable :
Как следует из javadoc класса, чтобы получить объект SerializedLambda , следует вызвать приватный writeReplace на лямбда-объекте:
Дальше все нужные детали достаем из SerializedLambda , нужно только несложное преобразование. Например, имена классов записаны через «/» (слеш) вместо точек, а примитивные типы сделаны сокращениями. Например getImplMethodSignature() возвращает строку «(Z)V» , это означает один аргумент (внутри скобок) типа boolean ( «Z» ), тип возвращаемого значения — void ( «V» ):
Остается только найти подходящий метод в интерфейсе, чтобы вернуть правильный результат:
А с конструкторами работает?
Работает. Тут будет другой тип serializedLambda.getImplMethodKind() .
Совместимость
Это работает в Java 8, Java 11, Java 14, не требует внешних библиотек или доступа к приватным api JDK, не требует дополнительных параметров запуска JVM. Кроме того, применимо и к статическим методам и к методам с разным количеством аргументов (т.е. не только Function-подобные).
Единственное неудобство — для каждого вида функций придется создать сериализуемое представление, например:
Полную реализацию можно найти тут.
Готовый утилитарный метод
Вы можете скопировать класс в свой проект, но я бы не рекомендовал использовать это вне scope test. Кроме того, можно добавить зависимость:
Источник