Javaメソッドでコールバック関数を渡す方法はありますか?
私が模倣しようとしている動作は、関数に渡される.Netデリゲートです。
私は別のオブジェクトを作成することを提案する人々を見てきましたが、それはやり過ぎのようですが、時々やり過ぎが物事を行う唯一の方法であることを認識しています。
.NET匿名デリゲートのようなものを意味する場合、Javaの匿名クラスも使用できると思います。
public class Main {
public interface Visitor{
int doJob(int a, int b);
}
public static void main(String[] args) {
Visitor adder = new Visitor(){
public int doJob(int a, int b) {
return a + b;
}
};
Visitor multiplier = new Visitor(){
public int doJob(int a, int b) {
return a*b;
}
};
System.out.println(adder.doJob(10, 20));
System.out.println(multiplier.doJob(10, 20));
}
}
Java 8以降、ラムダおよびメソッド参照があります。
たとえば、次を定義します。
public class FirstClass {
String prefix;
public FirstClass(String prefix){
this.prefix = prefix;
}
public String addPrefix(String suffix){
return prefix +":"+suffix;
}
}
そして
import Java.util.function.Function;
public class SecondClass {
public String applyFunction(String name, Function<String,String> function){
return function.apply(name);
}
}
その後、次のことができます。
FirstClass first = new FirstClass("first");
SecondClass second = new SecondClass();
System.out.println(second.applyFunction("second",first::addPrefix));
Githubで例を見つけることができます: julien-diener/MethodReference 。
簡単にするために、Runnableを使用できます。
private void runCallback(Runnable callback)
{
// Run callback
callback.run();
}
使用法:
runCallback(new Runnable()
{
@Override
public void run()
{
// Running callback
}
});
ちょっとしたピッキング:
私は別のオブジェクトを作成することを提案しているようですが、それはやり過ぎです
コールバックを渡すには、ほぼすべてのOO言語で個別のオブジェクトを作成することが含まれます。そのため、やり過ぎとは見なされません。おそらくあなたが意味するのは、Javaでは別個のクラスを作成する必要があるということです。これは、明示的なファーストクラスの関数やクロージャを備えた言語よりも冗長で(そしてよりリソースを消費します)。ただし、匿名クラスは少なくとも冗長性を減らし、インラインで使用できます。
しかし、私は私が探していた最も好ましい方法があると思います。それは基本的にこれらの答えから派生していますが、より冗長で効率的にするためにそれを操作しなければなりませんでした..思い付く
まず、シンプルなインターフェイスを作成します
public interface myCallback {
void onSuccess();
void onError(String err);
}
結果を処理したいときにこのコールバックを実行するようになりました-非同期呼び出しの後、これらのreuslts
// import the Interface class here
public class App {
public static void main(String[] args) {
// call your method
doSomething("list your Params", new myCallback(){
@Override
public void onSuccess() {
// no errors
System.out.println("Done");
}
@Override
public void onError(String err) {
// error happen
System.out.println(err);
}
});
}
private void doSomething(String param, // some params..
myCallback callback) {
// now call onSuccess whenever you want if results are ready
if(results_success)
callback.onSuccess();
else
callback.onError(someError);
}
}
doSomething
は、結果が来たときに通知するコールバックを追加し、このメソッドのパラメーターとしてコールバックインターフェイスを追加するのに時間がかかる関数です
私はリフレクトライブラリを使用して実装するというアイデアに興味を持ち、これを思いつきました。唯一の欠点は、有効なパラメーターを渡すことのコンパイル時チェックを失うことです。
public class CallBack {
private String methodName;
private Object scope;
public CallBack(Object scope, String methodName) {
this.methodName = methodName;
this.scope = scope;
}
public Object invoke(Object... parameters) throws InvocationTargetException, IllegalAccessException, NoSuchMethodException {
Method method = scope.getClass().getMethod(methodName, getParameterClasses(parameters));
return method.invoke(scope, parameters);
}
private Class[] getParameterClasses(Object... parameters) {
Class[] classes = new Class[parameters.length];
for (int i=0; i < classes.length; i++) {
classes[i] = parameters[i].getClass();
}
return classes;
}
}
このように使用します
public class CallBackTest {
@Test
public void testCallBack() throws NoSuchMethodException, InvocationTargetException, IllegalAccessException {
TestClass testClass = new TestClass();
CallBack callBack = new CallBack(testClass, "hello");
callBack.invoke();
callBack.invoke("Fred");
}
public class TestClass {
public void hello() {
System.out.println("Hello World");
}
public void hello(String name) {
System.out.println("Hello " + name);
}
}
}
これは、ラムダを使用するJava 8では非常に簡単です。
public interface Callback {
void callback();
}
public class Main {
public static void main(String[] args) {
methodThatExpectsACallback(() -> System.out.println("I am the callback."));
}
private static void methodThatExpectsACallback(Callback callback){
System.out.println("I am the method.");
callback.callback();
}
}
メソッドは(まだ)Javaのファーストクラスオブジェクトではありません。関数ポインタをコールバックとして渡すことはできません。代わりに、必要なメソッドを含むオブジェクト(通常はインターフェイスを実装します)を作成し、それを渡します。
目的の動作を提供するJavaのクロージャの提案は行われていますが、今後のJava 7リリースには含まれません。
Javaでこの種の機能が必要な場合、通常は Observerパターン を使用します。それは余分なオブジェクトを意味しますが、私はそれがきれいな方法であり、広く理解されているパターンだと思います。これはコードの可読性に役立ちます。
Lambdajライブラリーでクロージャーがどのように実装されているかを確認してください。実際には、C#デリゲートに非常によく似た動作があります。
Callback
パターンを使用して、Delegate
を実行することもできます。
Callback.Java
public interface Callback {
void onItemSelected(int position);
}
PagerActivity.Java
public class PagerActivity implements Callback {
CustomPagerAdapter mPagerAdapter;
public PagerActivity() {
mPagerAdapter = new CustomPagerAdapter(this);
}
@Override
public void onItemSelected(int position) {
// Do something
System.out.println("Item " + postion + " selected")
}
}
CustomPagerAdapter.Java
public class CustomPagerAdapter {
private static final int DEFAULT_POSITION = 1;
public CustomPagerAdapter(Callback callback) {
callback.onItemSelected(DEFAULT_POSITION);
}
}
Java.lang.reflectを使用して「コールバック」を実装しようとしましたが、ここにサンプルがあります。
package StackOverflowQ443708_JavaCallBackTest;
import Java.lang.reflect.*;
import Java.util.concurrent.*;
class MyTimer
{
ExecutorService EXE =
//Executors.newCachedThreadPool ();
Executors.newSingleThreadExecutor ();
public static void PrintLine ()
{
System.out.println ("--------------------------------------------------------------------------------");
}
public void SetTimer (final int timeout, final Object obj, final String methodName, final Object... args)
{
SetTimer (timeout, obj, false, methodName, args);
}
public void SetTimer (final int timeout, final Object obj, final boolean isStatic, final String methodName, final Object... args)
{
Class<?>[] argTypes = null;
if (args != null)
{
argTypes = new Class<?> [args.length];
for (int i=0; i<args.length; i++)
{
argTypes[i] = args[i].getClass ();
}
}
SetTimer (timeout, obj, isStatic, methodName, argTypes, args);
}
public void SetTimer (final int timeout, final Object obj, final String methodName, final Class<?>[] argTypes, final Object... args)
{
SetTimer (timeout, obj, false, methodName, argTypes, args);
}
public void SetTimer (final int timeout, final Object obj, final boolean isStatic, final String methodName, final Class<?>[] argTypes, final Object... args)
{
EXE.execute (
new Runnable()
{
public void run ()
{
Class<?> c;
Method method;
try
{
if (isStatic) c = (Class<?>)obj;
else c = obj.getClass ();
System.out.println ("Wait for " + timeout + " seconds to invoke " + c.getSimpleName () + "::[" + methodName + "]");
TimeUnit.SECONDS.sleep (timeout);
System.out.println ();
System.out.println ("invoking " + c.getSimpleName () + "::[" + methodName + "]...");
PrintLine ();
method = c.getDeclaredMethod (methodName, argTypes);
method.invoke (obj, args);
}
catch (Exception e)
{
e.printStackTrace();
}
finally
{
PrintLine ();
}
}
}
);
}
public void ShutdownTimer ()
{
EXE.shutdown ();
}
}
public class CallBackTest
{
public void onUserTimeout ()
{
System.out.println ("onUserTimeout");
}
public void onTestEnd ()
{
System.out.println ("onTestEnd");
}
public void NullParameterTest (String sParam, int iParam)
{
System.out.println ("NullParameterTest: String parameter=" + sParam + ", int parameter=" + iParam);
}
public static void main (String[] args)
{
CallBackTest test = new CallBackTest ();
MyTimer timer = new MyTimer ();
timer.SetTimer ((int)(Math.random ()*10), test, "onUserTimeout");
timer.SetTimer ((int)(Math.random ()*10), test, "onTestEnd");
timer.SetTimer ((int)(Math.random ()*10), test, "A-Method-Which-Is-Not-Exists"); // Java.lang.NoSuchMethodException
timer.SetTimer ((int)(Math.random ()*10), System.out, "println", "this is an argument of System.out.println() which is called by timer");
timer.SetTimer ((int)(Math.random ()*10), System.class, true, "currentTimeMillis");
timer.SetTimer ((int)(Math.random ()*10), System.class, true, "currentTimeMillis", "Should-Not-Pass-Arguments"); // Java.lang.NoSuchMethodException
timer.SetTimer ((int)(Math.random ()*10), String.class, true, "format", "%d %X", 100, 200); // Java.lang.NoSuchMethodException
timer.SetTimer ((int)(Math.random ()*10), String.class, true, "format", "%d %X", new Object[]{100, 200});
timer.SetTimer ((int)(Math.random ()*10), test, "NullParameterTest", new Class<?>[]{String.class, int.class}, null, 888);
timer.ShutdownTimer ();
}
}
少し古いですが、それでも... int/Integerのようなプリミティブ型では機能しないという事実を除いて、Peter Wilkinson Niceの答えを見つけました。問題はparameters[i]
の.getClass()
です。これは、たとえばJava.lang.Integer
を返しますが、一方でgetMethod(methodName,parameters[])
(Javaの障害)によって正しく解釈されません...
私はそれをダニエル・シュピーワクの提案と組み合わせました( これに対する彼の答え );成功へのステップには、NoSuchMethodException
name__をキャッチする-> getMethods()
-> method.getName()
で一致するものを探してから、パラメーターのリストを明示的にループし、ダニエルのソリューションを適用して、タイプの一致や署名の一致を特定します。
私は最近このようなことを始めました:
public class Main {
@FunctionalInterface
public interface NotDotNetDelegate {
int doSomething(int a, int b);
}
public static void main(String[] args) {
// in Java 8 (lambdas):
System.out.println(functionThatTakesDelegate((a, b) -> {return a*b;} , 10, 20));
}
public static int functionThatTakesDelegate(NotDotNetDelegate del, int a, int b) {
// ...
return del.doSomething(a, b);
}
}
public class HelloWorldAnonymousClasses {
//this is an interface with only one method
interface HelloWorld {
public void printSomething(String something);
}
//this is a simple function called from main()
public void sayHello() {
//this is an object with interface reference followed by the definition of the interface itself
new HelloWorld() {
public void printSomething(String something) {
System.out.println("Hello " + something);
}
}.printSomething("Abhi");
//imagine this as an object which is calling the function'printSomething()"
}
public static void main(String... args) {
HelloWorldAnonymousClasses myApp =
new HelloWorldAnonymousClasses();
myApp.sayHello();
}
}
//Output is "Hello Abhi"
基本的に、インターフェイスのオブジェクトを作成する場合、インターフェイスをオブジェクトを持つことはできないため、それは不可能です。
オプションは、あるクラスにインターフェースを実装させ、そのクラスのオブジェクトを使用してその関数を呼び出すことです。しかし、このアプローチは本当に冗長です。
または、新しいHelloWorld()を記述し(*これはクラスではなくインターフェイスです)、インターフェイスメソッド自体の定義をフォローアップします。 (*この定義は、実際には匿名クラスです)。次に、メソッド自体を呼び出すことができるオブジェクト参照を取得します。
インターフェイスを作成し、コールバッククラスで同じインターフェイスプロパティを作成します。
interface dataFetchDelegate {
void didFetchdata(String data);
}
//callback class
public class BackendManager{
public dataFetchDelegate Delegate;
public void getData() {
//Do something, Http calls/ Any other work
Delegate.didFetchdata("this is callbackdata");
}
}
ここで、コールバックするクラスに、上記の作成済みインターフェイスを実装します。また、コールバックするクラスの「this」オブジェクト/参照を渡します。
public class Main implements dataFetchDelegate
{
public static void main( String[] args )
{
new Main().getDatafromBackend();
}
public void getDatafromBackend() {
BackendManager inc = new BackendManager();
//Pass this object as reference.in this Scenario this is Main Object
inc.Delegate = this;
//make call
inc.getData();
}
//This method is called after task/Code Completion
public void didFetchdata(String callbackData) {
// TODO Auto-generated method stub
System.out.println(callbackData);
}
}
次のように、抽象クラスを使用するとよりエレガントになると思います。
// Something.Java
public abstract class Something {
public abstract void test();
public void usingCallback() {
System.out.println("This is before callback method");
test();
System.out.println("This is after callback method");
}
}
// CallbackTest.Java
public class CallbackTest extends Something {
@Override
public void test() {
System.out.println("This is inside CallbackTest!");
}
public static void main(String[] args) {
CallbackTest myTest = new CallbackTest();
myTest.usingCallback();
}
}
/*
Output:
This is before callback method
This is inside CallbackTest!
This is after callback method
*/