我在执行AsynTask之后,在Android上使用BusProvider处理回发到主线程。当异步任务完成并成功完成后,它将注册Post并返回到MAIN线程以显示警报对话框。但是,当失败时,我希望它返回MAIN线程中的相同方法,并显示一条有关失败原因的消息。在这种情况下,它正在注册,因此可能很简单,例如“此电子邮件已被使用”。

这似乎不为我工作,它永远不会回到主线程。

在使用BusProvider的Async任务中,我在失败时将其发回:

 @Override
        public void failure(RetrofitError error) {
            BusProvider.getInstance().post(new SignupTask.ErrorEvent(new String(((TypedByteArray) error.getResponse().getBody()).getBytes())));
        }


然后将其传递到类ErrorEvent中:

public class ErrorEvent {

    public String message;

    public ErrorEvent(String message) {
        this.message = ResponseParser(message);
    }

    public String ResponseParser(String response){
        //Handle JSON parsing here of response, need message + the array stack to display to the user what is exactly wrong
        return response;
    }

}


还有一些工作要做,但是在我解析信息之前,我想暂时将响应传递回去。

响应不为null,我在调试时检查了此内容。一旦回到BusProvider.getInstance()。post(...),它就永远不会返回到MAIN线程并点击我的@Subscribe

@订阅:

@Subscribe
public void onSignUpSuccess(SignupResponse event) {
    loading.dismiss();

    if(!BuildConfig.DEBUG_MODE) {
        Log.i(TAG, "!BuildConfig.DEBUG_MODE : " + AnswersAnalytics.SIGN_UP_PATIENT);
        Answers.getInstance().logCustom(new CustomEvent(AnswersAnalytics.SIGN_UP));
    }
    AlertDialog alertDialog = new AlertDialog.Builder(SignupActivity.this).create();
    alertDialog.setTitle("Thank you");
    alertDialog.setMessage(event.getMsg());
    alertDialog.setButton(AlertDialog.BUTTON_NEUTRAL, "OK",
            new DialogInterface.OnClickListener() {
                public void onClick(DialogInterface dialog, int which) {
                    dialog.dismiss();
                    killSignup();
                }
            });
    alertDialog.show();
}


我想使用相同的@Subscribe处理错误并显示它。

非常感谢任何帮助!

最佳答案

您无法将事件从另一个线程发布到UI线程。您可以为此使用Handler

private Handler mHandler = new Handler(Looper.getMainLooper()) {
    @Override
    public void handleMessage(Message msg) {
        synchronized (this) {
            BusProvider.get().post(msg.obj);
        }
    }
};

private void post(Object message) {
    Message msg = mHandler.obtainMessage(0);
    msg.obj = message;
    mHandler.sendMessage(msg);
}

@Override
public void failure(RetrofitError error) {
    this.post(new SignupTask.ErrorEvent(new String(((TypedByteArray) error.getResponse().getBody()).getBytes())));
}

08-17 04:16