有人可以向我解释,
为什么将非静态方法引用传递给方法File::isHidden
是可以的,
但是将方法引用传递给非静态方法MyCass::mymethod
- 给了我一个
“无法对非静态方法进行静态引用”?
public static void main(String[] args) {
File[] files = new File("C:").listFiles(File::isHidden); // OK
test(MyCass::mymethod); // Cannot make a static reference to the non-static method
}
static interface FunctionalInterface{
boolean function(String file);
}
class MyCass{
boolean mymethod(String input){
return true;
}
}
// HELPER
public static void test(FunctionalInterface functionalInterface){}
答案 0 :(得分:11)
对非静态方法的方法引用需要一个实例来操作。
对于listFiles
方法,参数为FileFilter
accept(File file)
。在对实例(参数)进行操作时,可以引用其实例方法:
listFiles(File::isHidden)
这是
的简写listFiles(f -> f.isHidden())
现在为什么不能使用test(MyCass::mymethod)
?因为您只是没有MyCass
的实例来操作。
但是,您可以创建一个实例,然后将方法引用传递给您的实例方法:
MyCass myCass = new MyCass(); // the instance
test(myCass::mymethod); // pass a non-static method reference
或
test(new MyCass()::mymethod);
答案 1 :(得分:1)
正如peter-walser所指出的,由于MyCass::mymethod
是一个实例方法,因此需要将实例转换为Function
实例。
接口声明前面的static
只是使它成为静态接口,它不会将每个方法变为静态方法。
一种可能的解决方案是将类中的方法声明为static:
class MyCass{
static boolean mymethod(String input){
return true;
}
}
为了更好地理解它是如何工作的,您可以考虑等效于方法引用MyCass::mymethod
的代码(假设上面修改了MyClass
的声明):
new FunctionalInterface{
boolean function(String file){
return MyClass.mymethod(file);
}
}
您的原始代码会尝试排序转换为:
new FunctionalInterface{
boolean function(String file){
return _missing_object_.mymethod(); # mymethod is not static
}
}
另一种可能性是使用BiFunction
而不是你的FunctionalInterface
。在这种情况下,apply
的第一个参数将是对象,第二个参数将是mymethod
的参数。
答案 2 :(得分:0)
简短回答:
您正在尝试通过该类访问静态方法。
test(MyCass::mymethod); // Cannot make a static reference to the non-static method
与
相同test(v -> MyCass.mymethod(v)); // static access
解决方案
将方法设为静态
class MyCass {
static boolean mymethod(String input) {
return true;
}
}
或使用对象作为参考
public static void main(String[] args) {
MyCass myCass = new MyCass();
test(myCass::mymethod);
}