0
public class BindingActivity extends Activity {
    LocalService mService;
    boolean mBound = false;

    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.main);
    }

    @Override
    protected void onStart() {
        super.onStart();
        // Bind to LocalService
        Intent intent = new Intent(this, LocalService.class);
        bindService(intent, mConnection, Context.BIND_AUTO_CREATE);
    }

    @Override
    protected void onStop() {
        super.onStop();
        // Unbind from the service
        if (mBound) {
            unbindService(mConnection);
            mBound = false;
        }
    }

    /** Called when a button is clicked (the button in the layout file attaches to
      * this method with the android:onClick attribute) */
    public void onButtonClick(View v) {
        if (mBound) {
            // Call a method from the LocalService.
            // However, if this call were something that might hang, then this request should
            // occur in a separate thread to avoid slowing down the activity performance.
            int num = mService.getRandomNumber();
            Toast.makeText(this, "number: " + num, Toast.LENGTH_SHORT).show();
        }
    }

    /** Defines callbacks for service binding, passed to bindService() */
    private ServiceConnection mConnection = new ServiceConnection() {

        @Override
        public void onServiceConnected(ComponentName className,
                IBinder service) {
            // We've bound to LocalService, cast the IBinder and get LocalService instance
            LocalBinder binder = (LocalBinder) service;
            mService = binder.getService();
            mBound = true;
        }

        @Override
        public void onServiceDisconnected(ComponentName arg0) {
            mBound = false;
        }
    };
}

これはhttp://developer.android.com/guide/components/bound-services.htmlの例です。mService を直接使用したいのですが、最初にボタンをクリックする必要はありません。どうすればよいですか。私は多くの方法を試しましたが、それらはすべてうまくいきません。

4

1 に答える 1

0

あなたが抱えていると思われる問題は、サービスへのバインディングが非同期であることです。そのため、サービスに電話をかける前に、サービスが戻ってくるまで待つ必要があります。bindService(intent, mConnection, Context.BIND_AUTO_CREATE); を呼び出すと、onCreate から言うと、アクティビティの起動ライフサイクル中のどの時点でもサービスを利用できない可能性があります... mService は null のままです。(ボタンを押すのに数秒かかるため) ユーザーにこれを待たせたくない場合は、onServiceConnected メソッドから mService を呼び出すだけで、正常に動作するはずです。いずれにせよ、重要なのは、onServiceConnected が実行されて mService が null でなくなるまで、mService への呼び出しを待機することです。(これはおそらくonResume の後で発生します)。それは理にかなっていますか?

于 2013-05-03T14:15:25.360 に答える