Мои настройки
- Служба, запущенная в своем собственном процессе, CentralService
- Операция, которая вызывает startActivityForResult (), MainActivity
- Запускаемое действиедля результата ReturnResultActivity
Что я пытаюсь сделать
- Запустить ReturnResultActivity и связать его со службой (зарегистрировать его обработчик)
- Разрешить выполнение любых других действий
- Когда он получает сообщение от службы:
- Отменить привязку от службы
- finish ()
- setResult ()
- У метода onActivityResult () MainActivity вызывается
Использование Log.i Я подтвердил, что шаги с 1 по 3бывает.Однако, когда метод onActivityResult () должен быть вызван, я получаю в журнале следующее:
V/ActivityManager( 60): Finishing activity: token=HistoryRecord{442cc518 com.myActivity/.primitives.ReturnResultActivity}, result=3, data=Intent { (has extras) }
V/ActivityManager( 60): Adding result to HistoryRecord{442a3988 com.mainActivity.sample/.MainActivity} who=null req=500 res=3 data=Intent { (has extras) }
Дополнительная информация
Каждая сущность находится в отдельном проекте (у меня есть 3 проектавзаимодействуют друг с другом) и, следовательно, все они работают в своем собственном процессе.
MainActivity запускается из Службы со следующим кодом:
Intent intent = new Intent(Intent.ACTION_MAIN);
intent.addCategory(Intent.CATEGORY_LAUNCHER);
intent.setClassName(activityInfo.packageName, activityInfo.name);
intent.setFlags(Intent.FLAG_ACTIVITY_NEW_TASK
| Intent.FLAG_ACTIVITY_RESET_TASK_IF_NEEDED);
startActivity(intent);
Часть кода
Результат операции возврата:
public class ReturnResultActivity extends SomeActivity {
private static final boolean DEBUG = true;
private static final String TAG = "ReturnResultActivity";
protected void onBind() {
// We want to monitor the service for as long as we are
// connected to it.
Message msg = Message.obtain(null,
CentralService.MSG_LISTEN);
msg.replyTo = mMessenger;
try {
mService.send(msg);
} catch (RemoteException e) {
// In this case the service has crashed before we could even
// do anything with it; we can count on soon being
// disconnected (and then reconnected if it can be restarted)
// so there is no need to do anything here.
e.printStackTrace();
}
}
/** this method is called eventually after doUnbindService is called **/
protected void onUnbind() {
if (DEBUG) Log.i(TAG, "Unbinding and finishing"); //I can tell this gets called when I run it
if (data != null) {
setResult(CentralService.MSG_SPEECH_RECOGNIZED, data);
}
finish();
}
Intent data;
protected boolean receiveMessage(Message msg) {
if (DEBUG) Log.i(TAG, "Incoming Message to Listener: " + msg.what);
switch (msg.what) {
case ASRManager.MSG_SPEECH_RECOGNIZED:
data = new Intent();
Bundle bundle = msg.getData();
bundle.setClassLoader(getClassLoader());
data.putExtra(ASRManager.TOKEN_PARCEL_KEY, bundle.getParcelable(ASRManager.TOKEN_PARCEL_KEY));
if (DEBUG) Log.i(TAG, "Received speech, setting result.");
doUnbindService();
return true;
default:
return false;
}
}
}
Основная операция
public class MainActivity extends CustomActivity {
private static final boolean DEBUG = true;
private static final String TAG = "MainActivity";
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
Intent intent = new Intent("com.custom.returnresultaction");
startActivityForResult(listenIntent, 500);
}
@Override
protected void onActivityResult(int requestCode, int resultCode, Intent data) {
if (DEBUG) Log.i(TAG, "Got activity result " + resultCode); //this doesn't get called
}
}
В моем окне LogCat не отображаются следы стека.Пожалуйста, помогите!
РЕДАКТИРОВАТЬ: Интересная новая информация.Если я затем запускаю MainActivity из модуля запуска, я вижу следующее в logcat:
I/ActivityManager( 60): Starting activity: Intent { act=android.intent.action.MAIN cat=[android.intent.category.LAUNCHER] flg=0x10200000 cmp=com.mainActivity.sample/.MainActivity }
V/ActivityManager( 60): Sending result to HistoryRecord{44253568 com.android.launcher/com.android.launcher2.Launcher} (index -1)
I/ActivityManager( 60): Starting Activity Unchecked Locked
V/ActivityManager( 60): com.mainActivity.sample.MainActivity Audio Activity Found
V/ActivityManager( 60): Delivering results to HistoryRecord{442c0310 com.mainActivity.sample/.MainActivity}: [ResultInfo{who=null, request=500, result=3, data=Intent { (has extras) }}]
V/ActivityThread( 327): Handling send result to ActivityRecord{440de270 token=android.os.BinderProxy@440ddca0 {com.mainActivity.sample/com.mainAcitivty.sample.MainActivity}}
V/ActivityThread( 327): Delivering result to activity ActivityRecord{440de270 token=android.os.BinderProxy@440ddca0 {com.mainActivity.sample/com.mainActivity.sample.MainActivity}} : ResultInfo{who=null, request=500, result=3, data=Intent { (has extras) }}
I/MainActivity( 327): Got activity result 3
Моя теория состоит в том, что не выполняется задача, которая содержит MainActivity, поскольку сообщение получено от CentralService.Какие-нибудь мысли?Есть идеи, как перейти к правильному заданию.(обратите внимание, хотя это может показаться плохой практикой и разрушительным для переключения задач на пользователя и выдвижения другой активности на передний план, это то, что я хочу сделать. Это потому, что это в конечном итоге будет работать на пользовательской версии Android, которая сделает всеэто не разрушительно.)