标签:在intentservice中使用toa 在intentservice中在子线程中
Service中可以正常显示Toast,IntentService中不能正常显示Toast,在2.3系统上,不显示toast,在4.3系统上,toast显示,但是不会消失。
查阅Android官方文档可以发现:
Construct an empty Toast object. You must call setView(View)
before
you can call show()
.
context | The context to use. Usually your Application or Activity object. |
---|
Toast要求运行在UI主线程中,所以要想Toast能够正常工作那个必须把它发到UI线程中。
Service运行在主线程中,因此Toast是正常的。
IntentService运行在独立的线程中,因此Toast不正常。
利用Handler,将显示Toast的工作,放在主线程中来做。具体有两个实现方式。
方法一:Handler的post方式实现,这个方式比较简单。
private void showToastByRunnable(final IntentService context, final CharSequence text, final int duration) { Handler handler = new Handler(Looper.getMainLooper()); handler.post(new Runnable() { @Override public void run() { Toast.makeText(context, text, duration).show(); } }); }
方法二:Handler的msg方式实现,这个方式比较复杂。
Handler msgHandler = new Handler(Looper.getMainLooper()) { @Override public void handleMessage(Message msg) { Toast.makeText(ToastIntentService.this,msg.getData().getString("Text"), Toast.LENGTH_SHORT).show(); super.handleMessage(msg); } }; private void showToastByMsg(final IntentService context, final CharSequence text, final int duration) { Bundle data = new Bundle(); data.putString("Text", text.toString()); Message msg = new Message(); msg.setData(data); msgHandler.sendMessage(msg); }
Service中如果有耗时的操作,要开启一个Thread来做。
IntentService是在独立的线程中,所以可以进行一些耗时操作。
如果是全后台的工作,使用Service,结果的提示可以使用Notification。
如果是异步工作,工作结束后需要更新UI,那么最好使用Thread或者AsyncTask。
@Override protected void onHandleIntent(Intent intent) { // TODO Auto-generated method stub sendList=intent.getStringArrayListExtra("sendList"); String content=intent.getStringExtra("content"); for (String number : sendList) { // 创建一个PendingIntent对象 PendingIntent pi = PendingIntent.getActivity( SendService.this, 0, new Intent(), 0); SmsManager sManager=SmsManager.getDefault(); // 发送短信 sManager.sendTextMessage(number, null,content, pi, null); count++; showMsg("发送给:"+number+"的短信已完成"); } // 提示短信群发完成 showMsg("短信群发完成"); } //利用Handler,将显示Toast的工作,放在主(UI)线程中来做 public void showMsg(final String msg) { // TODO Auto-generated method stub Handler handler = new Handler(Looper.getMainLooper()); handler.post(new Runnable() { @Override public void run() { Toast.makeText(SendService.this,msg,Toast.LENGTH_SHORT).show(); } }); }
在IntentService中使用Toast与在Service中使用Toast的异同
标签:在intentservice中使用toa 在intentservice中在子线程中
原文地址:http://blog.csdn.net/fengyuzhengfan/article/details/38147473