この記事は最終更新日から1年以上経過しています。
IntentServiceでバックグラウンドにて処理を実行し、
完了の通知を受け取るにはブロードキャストレシーバーを使用して実現できます。
IntentFilterとBroadcastReceiverを使って、アクティビティとサービス間で通信します。
IntentServiceを利用するためのマニフェストへの記述
2 | < service android:name = "MyIntentService" ></ service > |
まずは、アクティビティ
[HelloActivity.java]
1 | import android.app.Activity; |
2 | import android.os.Bundle; |
3 | import android.content.Intent; |
4 | import android.content.IntentFilter; |
5 | import android.content.BroadcastReceiver; |
7 | public class HelloActivity extends Activity { |
8 | IntentFilter intentFilter; |
9 | MyBroadcastReceiver receiver; |
12 | public void onCreate(Bundle savedInstanceState) { |
13 | super .onCreate(savedInstanceState); |
14 | setContentView(R.layout.main); |
16 | startService( new Intent(getBaseContext(), MyIntentService. class )); |
18 | receiver = new MyBroadcastReceiver(); |
19 | intentFilter = new IntentFilter(); |
20 | intentFilter.addAction( "MY_ACTION" ); |
21 | registerReceiver(receiver, intentFilter); |
次に、IntentServiceクラス
[MyIntentService.java]
1 | import android.app.IntentService; |
2 | import android.content.Intent; |
3 | import android.os.Handler; |
4 | import android.util.Log; |
5 | import android.widget.Toast; |
7 | public class MyIntentService extends IntentService { |
9 | final static String TAG = "MyIntentService" ; |
10 | private Handler mHandler; |
12 | public MyIntentService(){ |
13 | super ( "MyIntentService" ); |
14 | mHandler = new Handler(); |
18 | protected void onHandleIntent(Intent intent) { |
19 | Log.d(TAG, "onHandleIntent" ); |
20 | mHandler.post( new DisplayToast( "サービスを開始しました。" )); |
22 | Intent broadcastIntent = new Intent(); |
23 | broadcastIntent.putExtra( |
24 | "message" , "Hello, BroadCast!" ); |
25 | broadcastIntent.setAction( "MY_ACTION" ); |
26 | getBaseContext().sendBroadcast(broadcastIntent); |
30 | public void onDestroy(){ |
32 | Log.d(TAG, "onDestroy" ); |
36 | private class DisplayToast implements Runnable{ |
38 | public DisplayToast(String text){ |
42 | Toast.makeText(getApplicationContext(), mText, Toast.LENGTH_SHORT).show(); |
最後に、ブロードキャストレシーバーのクラス
[MyBroadcastReceiver.java]
1 | import android.content.BroadcastReceiver; |
2 | import android.content.Context; |
3 | import android.content.Intent; |
4 | import android.os.Bundle; |
5 | import android.widget.Toast; |
7 | public class MyBroadcastReceiver extends BroadcastReceiver { |
10 | public void onReceive(Context context, Intent intent) { |
11 | Bundle bundle = intent.getExtras(); |
12 | String message = bundle.getString( "message" ); |
16 | "onReceive! " + message, |
17 | Toast.LENGTH_LONG).show(); |
※このクラスは、メインアクティビティのクラス内に内部クラスとして定義してもかまいません。