Android 通过Service单独进程模仿离线推送 Server Push
概述:
首先简单阐述一下我对于消息推送的理解,这里拿QQ来举例吧,当我们手机端的QQ离线了,并且退出了QQ应用,但是这时候如果别人给我们发了信息,我们没有上线。服务器会将发送者发送的信息推送过来然后我们发布通知来显示通知我们的用户
原理简单阐述:
通过以上概述,我们基本了解我们需要一个独立进程的后台服务,在AndroidManifest
.xml中注册Service时,有一个android:process属性这个属性有2种情况,即为.和:两种,其中.代表为此服务开启一个全局的独立进程,如果以:开头则为此服务开启一个为此应用私有的独立进程
编码实现:
ServerPushService文件:
[java]
import android.app.Notification;
import android.app.NotificationManager;
import android.app.PendingIntent;
import android.app.Service;
import android.content.Intent;
import android.os.IBinder;
public class ServerPushService extends Service{
//获取消息线程
private MessageThread messageThread = null;
//点击查看
private Intent messageIntent = null;
private PendingIntent messagePendingIntent = null;
//通知栏消息
private int messageNotificationID = 1000;
private Notification messageNotification = null;
private NotificationManager messageNotificationManager = null;
@Override
public IBinder onBind(Intent intent) {
return null;
}
@Override
public int onStartCommand(Intent intent, int flags, int startId) {
//初始化
messageNotification = new Notification();
messageNotification.icon = R.drawable.ic_launcher; //通知图片
messageNotification.tickerText = "新消息"; //通知标题
messageNotification.defaults = Notification.DEFAULT_SOUND;
messageNotificationManager = (NotificationManager) getSystemService(this.NOTIFICATION_SERVICE);
//点击查看
messageIntent = new Intent(this,MessageActivity.class);
messagePendingIntent = PendingIntent.getActivity(this, 0, messageIntent, 0);
//开启线程
MessageThread thread = new MessageThread();
thread.isRunning = true;
thread.start();
return super.onStartCommand(intent, flags, startId);
}
/***
* 从服务端获取消息
* @author zhanglei
*
*/
class MessageThread extends Thread{
//运行状态
public boolean isRunning = true;
@Override
public void run() {
while(isRunning){
try {
//休息10秒
Thread.sleep(10000);
if(getServerMessage().equals("yes")){
//设置消息内容和标题
messageNotification.setLatestEventInfo(ServerPushService.this, "您有新消息!", "这是一条新的测试消息", messagePendingIntent);
//发布消息
messageNotificationManager.notify(messageNotificationID, messageNotification);
//避免覆盖消息,采取ID自增
messageNotificationID++;
}
} catch (Exception e) {
e.printStackTrace();
}
}
}
}
/***
* 模拟了服务端的消息。实际应用中应该去服务器拿到message
* @return
*/
public String getServerMessage(){
return "yes";
}
}
import android.app.Notification;
import android.app.NotificationManager;
import android.app.PendingIntent;
import android.app.Service;
import android.content.Intent;
import android.os.IBinder;
public class ServerPushService extends Service{
//获取消息线程
private MessageThread messageThread = null;
//点击查看
private Intent messageIntent = null;
private PendingIntent messagePendingIntent = null;
//通知栏消息
private int messageNotificationID = 1000;
private Notification messageNotification = null;
private NotificationManager messageNotificationManager = null;
@Override
public IBinder onBind(Intent intent) {
return null;
}
@Overrid
补充:移动开发 , Android ,