1.修改netty版本,更新到netty5.0

2.优化netty版本代码结构
3.提升netty版本服务端连接管理,以及长连接心跳优化。
This commit is contained in:
远方夕阳 2015-10-29 13:51:25 +08:00
parent e49d5ea415
commit 16afed7b2b
614 changed files with 2284 additions and 1779 deletions

Binary file not shown.

Binary file not shown.

View File

@ -61,10 +61,10 @@ CIMPushManager.init(context,"125.12.35.231",28888);
* 设置一个账号登录到服务端
* @param account 用户唯一ID
*/
public static void setAccount(Context context,String account)
public static void bindAccount(Context context,String account)
示例
CIMPushManager.setAccount(context,"xiyang");
CIMPushManager.bindAccount(context,"xiyang");

View File

@ -0,0 +1,8 @@
<?xml version="1.0" encoding="UTF-8"?>
<classpath>
<classpathentry kind="src" path="src"/>
<classpathentry kind="con" path="org.eclipse.jdt.launching.JRE_CONTAINER"/>
<classpathentry kind="lib" path="C:/dev/Android-SDK-Windows/platforms/android-19/android.jar"/>
<classpathentry kind="lib" path="/cim-server/WebRoot/WEB-INF/lib/netty-all-5.0.0.Alpha2.jar" sourcepath="C:/Users/Administrator/Desktop/netty-all-5.0.0.Alpha2-sources.jar"/>
<classpathentry kind="output" path="bin"/>
</classpath>

View File

@ -0,0 +1,17 @@
<?xml version="1.0" encoding="UTF-8"?>
<projectDescription>
<name>cim-android-sdk</name>
<comment></comment>
<projects>
</projects>
<buildSpec>
<buildCommand>
<name>org.eclipse.jdt.core.javabuilder</name>
<arguments>
</arguments>
</buildCommand>
</buildSpec>
<natures>
<nature>org.eclipse.jdt.core.javanature</nature>
</natures>
</projectDescription>

View File

@ -1,12 +1,14 @@
/**
* probject:cim-android-sdk
* @version 2.0.0
*
* @author 3979434@qq.com
*/
package com.farsunset.cim.client.android;
import android.content.Context;
/**
*
* @author 3979434
*
*/
class CIMDataConfig {
class CIMCacheTools {
public static String CIM_CONFIG_INFO = "CIM_CONFIG_INFO";

View File

@ -1,310 +1,306 @@
package com.farsunset.cim.client.android;
import java.net.InetSocketAddress;
import java.util.concurrent.ExecutorService;
import java.util.concurrent.Executors;
import java.util.concurrent.Future;
import org.jboss.netty.bootstrap.ClientBootstrap;
import org.jboss.netty.channel.Channel;
import org.jboss.netty.channel.ChannelHandlerContext;
import org.jboss.netty.channel.ChannelPipeline;
import org.jboss.netty.channel.ChannelPipelineFactory;
import org.jboss.netty.channel.ChannelStateEvent;
import org.jboss.netty.channel.Channels;
import org.jboss.netty.channel.ExceptionEvent;
import org.jboss.netty.channel.MessageEvent;
import org.jboss.netty.channel.SimpleChannelUpstreamHandler;
import org.jboss.netty.channel.WriteCompletionEvent;
import org.jboss.netty.channel.socket.nio.NioClientSocketChannelFactory;
import android.content.Context;
import android.content.Intent;
import android.net.ConnectivityManager;
import android.net.NetworkInfo;
import com.farsunset.cim.nio.filter.ClientMessageDecoder;
import com.farsunset.cim.nio.filter.ClientMessageEncoder;
import com.farsunset.cim.nio.mutual.Message;
import com.farsunset.cim.nio.mutual.ReplyBody;
import com.farsunset.cim.nio.mutual.SentBody;
/**
* 连接服务端管理cim核心处理类管理连接以及消息处理
*
* @author 3979434@qq.com
*/
class CIMConnectorManager {
private Channel channel;;
Context context;
ClientBootstrap bootstrap;
static CIMConnectorManager manager;
// 消息广播action
public static final String ACTION_MESSAGE_RECEIVED = "com.farsunset.cim.MESSAGE_RECEIVED";
// 发送sendbody失败广播
public static final String ACTION_SENT_FAILED = "com.farsunset.cim.SENT_FAILED";
// 发送sendbody成功广播
public static final String ACTION_SENT_SUCCESS = "com.farsunset.cim.SENT_SUCCESS";
// 链接意外关闭广播
public static final String ACTION_CONNECTION_CLOSED = "com.farsunset.cim.CONNECTION_CLOSED";
// 链接失败广播
public static final String ACTION_CONNECTION_FAILED = "com.farsunset.cim.CONNECTION_FAILED";
// 链接成功广播
public static final String ACTION_CONNECTION_SUCCESS = "com.farsunset.cim.CONNECTION_SUCCESS";
// 发送sendbody成功后获得replaybody回应广播
public static final String ACTION_REPLY_RECEIVED = "com.farsunset.cim.REPLY_RECEIVED";
// 网络变化广播
public static final String ACTION_NETWORK_CHANGED = "android.net.conn.CONNECTIVITY_CHANGE";
// 未知异常
public static final String ACTION_UNCAUGHT_EXCEPTION = "com.farsunset.cim.UNCAUGHT_EXCEPTION";
// CIM连接状态
public static final String ACTION_CONNECTION_STATUS = "com.farsunset.cim.CONNECTION_STATUS";
private ExecutorService executor;
private CIMConnectorManager(Context ctx) {
context = ctx;
executor = Executors.newFixedThreadPool(3);
bootstrap = new ClientBootstrap(
new NioClientSocketChannelFactory(
Executors.newCachedThreadPool(),
Executors.newCachedThreadPool()));
bootstrap.setPipelineFactory(new ChannelPipelineFactory() {
public ChannelPipeline getPipeline() throws Exception {
return Channels.pipeline(
new ClientMessageDecoder(),
new ClientMessageEncoder(),
channelUpstreamHandler);
}
});
}
public synchronized static CIMConnectorManager getManager(Context context) {
if (manager == null) {
manager = new CIMConnectorManager(context);
}
return manager;
}
private synchronized void syncConnection(final String cimServerHost,final int cimServerPort) {
try {
if(isConnected()){
return ;
}
channel = bootstrap.connect(new InetSocketAddress(cimServerHost, cimServerPort)).getChannel(); //这里的IP和端口根据自己情况修改
} catch (Exception e) {
Intent intent = new Intent();
intent.setAction(ACTION_CONNECTION_FAILED);
intent.putExtra("exception", e);
context.sendBroadcast(intent);
System.out.println("******************CIM连接服务器失败 "+cimServerHost+":"+cimServerPort);
}
}
public void connect(final String cimServerHost, final int cimServerPort) {
if (!netWorkAvailable(context)) {
Intent intent = new Intent();
intent.setAction(ACTION_CONNECTION_FAILED);
intent.putExtra("exception", new NetWorkDisableException());
context.sendBroadcast(intent);
return;
}
Future<?> future = executor.submit(new Runnable() {
@Override
public void run() {
syncConnection(cimServerHost, cimServerPort);
}
});
try {
if(future.get()!=null)
{
connect(cimServerHost,cimServerPort);
}
} catch (Exception e) {
connect(cimServerHost,cimServerPort);
e.printStackTrace();
}
}
public void send(final SentBody body) {
executor.execute(new Runnable() {
@Override
public void run() {
android.os.Message msg = new android.os.Message();
msg.getData().putSerializable("body", body);
if(channel!=null && channel.isConnected())
{
boolean isDone = channel.write(body).awaitUninterruptibly(5000);
if (!isDone) {
Intent intent = new Intent();
intent.setAction(ACTION_SENT_FAILED);
intent.putExtra("exception", new WriteToClosedSessionException());
intent.putExtra("sentBody", body);
context.sendBroadcast(intent);
}
}else
{
Intent intent = new Intent();
intent.setAction(ACTION_SENT_FAILED);
intent.putExtra("exception", new CIMSessionDisableException());
intent.putExtra("sentBody", body);
context.sendBroadcast(intent);
}
}
});
}
public void destroy() {
if (manager.channel != null) {
manager.channel.close();
}
bootstrap.shutdown();
bootstrap.releaseExternalResources();
manager = null;
}
public boolean isConnected() {
if (channel == null) {
return false;
}
return channel.isConnected() ;
}
public void deliverIsConnected() {
Intent intent = new Intent();
intent.setAction(ACTION_CONNECTION_STATUS);
intent.putExtra(CIMPushManager.KEY_CIM_CONNECTION_STATUS, isConnected());
context.sendBroadcast(intent);
}
public void closeSession()
{
if(channel!=null)
{
channel.close();
}
}
SimpleChannelUpstreamHandler channelUpstreamHandler = new SimpleChannelUpstreamHandler() {
@Override
public void channelConnected( ChannelHandlerContext ctx, ChannelStateEvent e) throws Exception {
System.out.println("******************CIM连接服务器成功:"+ctx.getChannel().getLocalAddress());
Intent intent = new Intent();
intent.setAction(ACTION_CONNECTION_SUCCESS);
context.sendBroadcast(intent);
}
@Override
public void channelClosed(ChannelHandlerContext ctx, ChannelStateEvent event) throws Exception {
System.out.println("******************CIM与服务器断开连接:"+ctx.getChannel().getLocalAddress());
if(channel.getId()==ctx.getChannel().getId())
{
Intent intent = new Intent();
intent.setAction(ACTION_CONNECTION_CLOSED);
context.sendBroadcast(intent);
}
}
@Override
public void exceptionCaught(ChannelHandlerContext ctx, ExceptionEvent e)
throws Exception {
Intent intent = new Intent();
intent.setAction(ACTION_UNCAUGHT_EXCEPTION);
intent.putExtra("exception", e.getCause());
context.sendBroadcast(intent);
}
@Override
public void messageReceived(ChannelHandlerContext ctx, MessageEvent event)
throws Exception {
if (event.getMessage() instanceof Message) {
Intent intent = new Intent();
intent.setAction(ACTION_MESSAGE_RECEIVED);
intent.putExtra("message", (Message) event.getMessage());
context.sendBroadcast(intent);
}
if (event.getMessage() instanceof ReplyBody) {
Intent intent = new Intent();
intent.setAction(ACTION_REPLY_RECEIVED);
intent.putExtra("replyBody", (ReplyBody) event.getMessage());
context.sendBroadcast(intent);
}
}
@Override
public void writeComplete(ChannelHandlerContext ctx, WriteCompletionEvent event)
throws Exception {
Intent intent = new Intent();
intent.setAction(ACTION_SENT_SUCCESS);
//intent.putExtra("sentBody", null);
context.sendBroadcast(intent);
}
};
public static boolean netWorkAvailable(Context context) {
try {
ConnectivityManager nw = (ConnectivityManager) context.getSystemService(Context.CONNECTIVITY_SERVICE);
NetworkInfo networkInfo = nw.getActiveNetworkInfo();
return networkInfo != null;
} catch (Exception e) {}
return false;
}
package com.farsunset.cim.client.android;
import io.netty.bootstrap.Bootstrap;
import io.netty.channel.Channel;
import io.netty.channel.ChannelFuture;
import io.netty.channel.ChannelHandlerContext;
import io.netty.channel.ChannelInitializer;
import io.netty.channel.ChannelOption;
import io.netty.channel.ChannelPipeline;
import io.netty.channel.EventLoopGroup;
import io.netty.channel.SimpleChannelInboundHandler;
import io.netty.channel.nio.NioEventLoopGroup;
import io.netty.channel.socket.SocketChannel;
import io.netty.channel.socket.nio.NioSocketChannel;
import io.netty.handler.codec.serialization.ClassResolvers;
import java.net.InetSocketAddress;
import java.util.concurrent.ExecutorService;
import java.util.concurrent.Executors;
import java.util.concurrent.Future;
import android.content.Context;
import android.content.Intent;
import android.net.ConnectivityManager;
import android.net.NetworkInfo;
import com.farsunset.cim.client.constant.CIMConstant;
import com.farsunset.cim.client.exception.CIMSessionDisableException;
import com.farsunset.cim.client.exception.NetWorkDisableException;
import com.farsunset.cim.client.exception.WriteToClosedSessionException;
import com.farsunset.cim.client.filter.ClientMessageDecoder;
import com.farsunset.cim.client.filter.ClientMessageEncoder;
import com.farsunset.cim.client.model.Message;
import com.farsunset.cim.client.model.ReplyBody;
import com.farsunset.cim.client.model.SentBody;
/**
* 连接服务端管理cim核心处理类管理连接以及消息处理
*
* @author 3979434@qq.com
*/
@io.netty.channel.ChannelHandler.Sharable
class CIMConnectorManager extends SimpleChannelInboundHandler<Object> {
private Channel channel;;
Context context;
Bootstrap bootstrap;
EventLoopGroup loopGroup ;
static CIMConnectorManager manager;
// 消息广播action
public static final String ACTION_MESSAGE_RECEIVED = "com.farsunset.cim.MESSAGE_RECEIVED";
// 发送sendbody失败广播
public static final String ACTION_SENT_FAILED = "com.farsunset.cim.SENT_FAILED";
// 发送sendbody成功广播
public static final String ACTION_SENT_SUCCESS = "com.farsunset.cim.SENT_SUCCESS";
// 链接意外关闭广播
public static final String ACTION_CONNECTION_CLOSED = "com.farsunset.cim.CONNECTION_CLOSED";
// 链接失败广播
public static final String ACTION_CONNECTION_FAILED = "com.farsunset.cim.CONNECTION_FAILED";
// 链接成功广播
public static final String ACTION_CONNECTION_SUCCESS = "com.farsunset.cim.CONNECTION_SUCCESS";
// 发送sendbody成功后获得replaybody回应广播
public static final String ACTION_REPLY_RECEIVED = "com.farsunset.cim.REPLY_RECEIVED";
// 网络变化广播
public static final String ACTION_NETWORK_CHANGED = "android.net.conn.CONNECTIVITY_CHANGE";
// 未知异常
public static final String ACTION_UNCAUGHT_EXCEPTION = "com.farsunset.cim.UNCAUGHT_EXCEPTION";
// CIM连接状态
public static final String ACTION_CONNECTION_STATUS = "com.farsunset.cim.CONNECTION_STATUS";
private ExecutorService executor;
private CIMConnectorManager(Context ctx) {
context = ctx;
executor = Executors.newFixedThreadPool(3);
bootstrap = new Bootstrap();
loopGroup = new NioEventLoopGroup();
bootstrap.group(loopGroup);
bootstrap.channel(NioSocketChannel.class);
bootstrap.handler(new ChannelInitializer<SocketChannel>() {
@Override
public void initChannel(SocketChannel ch) throws Exception {
ChannelPipeline pipeline = ch.pipeline();
pipeline.addLast(new ClientMessageDecoder(ClassResolvers.cacheDisabled(null)));
pipeline.addLast(new ClientMessageEncoder());
pipeline.addLast(CIMConnectorManager.this);
}
});
bootstrap.option(ChannelOption.TCP_NODELAY, true);
}
public synchronized static CIMConnectorManager getManager(Context context) {
if (manager == null) {
manager = new CIMConnectorManager(context);
}
return manager;
}
private synchronized void syncConnection(final String cimServerHost,final int cimServerPort) {
try {
if(isConnected()){
return ;
}
ChannelFuture channelFuture = bootstrap.connect(new InetSocketAddress(cimServerHost, cimServerPort)).sync(); //这里的IP和端口根据自己情况修改
channel = channelFuture.channel();
} catch (Exception e) {
Intent intent = new Intent();
intent.setAction(ACTION_CONNECTION_FAILED);
intent.putExtra("exception", e);
context.sendBroadcast(intent);
System.out.println("******************CIM连接服务器失败 "+cimServerHost+":"+cimServerPort);
}
}
public void connect(final String cimServerHost, final int cimServerPort) {
if (!netWorkAvailable(context)) {
Intent intent = new Intent();
intent.setAction(ACTION_CONNECTION_FAILED);
intent.putExtra("exception", new NetWorkDisableException());
context.sendBroadcast(intent);
return;
}
Future<?> future = executor.submit(new Runnable() {
@Override
public void run() {
syncConnection(cimServerHost, cimServerPort);
}
});
try {
if(future.get()!=null)
{
connect(cimServerHost,cimServerPort);
}
} catch (Exception e) {
connect(cimServerHost,cimServerPort);
e.printStackTrace();
}
}
public void send(final SentBody body) {
executor.execute(new Runnable() {
@Override
public void run() {
android.os.Message msg = new android.os.Message();
msg.getData().putSerializable("body", body);
if(channel!=null && channel.isActive())
{
boolean isDone = channel.writeAndFlush(body).awaitUninterruptibly(5000);
if (!isDone) {
Intent intent = new Intent();
intent.setAction(ACTION_SENT_FAILED);
intent.putExtra("exception", new WriteToClosedSessionException());
intent.putExtra("sentBody", body);
context.sendBroadcast(intent);
}else
{
Intent intent = new Intent();
intent.setAction(ACTION_SENT_SUCCESS);
intent.putExtra("sentBody", body);
context.sendBroadcast(intent);
}
}else
{
Intent intent = new Intent();
intent.setAction(ACTION_SENT_FAILED);
intent.putExtra("exception", new CIMSessionDisableException());
intent.putExtra("sentBody", body);
context.sendBroadcast(intent);
}
}
});
}
public void destroy() {
if (manager.channel != null) {
manager.channel.close();
}
loopGroup.shutdownGracefully();
manager = null;
}
public boolean isConnected() {
if (channel == null) {
return false;
}
return channel.isActive() ;
}
public void deliverIsConnected() {
Intent intent = new Intent();
intent.setAction(ACTION_CONNECTION_STATUS);
intent.putExtra(CIMPushManager.KEY_CIM_CONNECTION_STATUS, isConnected());
context.sendBroadcast(intent);
}
public void closeSession()
{
if(channel!=null)
{
channel.close();
}
}
@Override
public void channelActive( ChannelHandlerContext ctx) throws Exception {
System.out.println("******************CIM连接服务器成功:"+ctx.channel().localAddress());
Intent intent = new Intent();
intent.setAction(ACTION_CONNECTION_SUCCESS);
context.sendBroadcast(intent);
}
@Override
public void channelInactive(ChannelHandlerContext ctx) throws Exception {
System.out.println("******************closeCIM与服务器断开连接:"+ctx.channel().localAddress());
if(channel.id().asLongText().equals(ctx.channel().id().asLongText()))
{
Intent intent = new Intent();
intent.setAction(ACTION_CONNECTION_CLOSED);
context.sendBroadcast(intent);
}
}
@Override
public void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) throws Exception {
Intent intent = new Intent();
intent.setAction(ACTION_UNCAUGHT_EXCEPTION);
intent.putExtra("exception", cause.getCause());
context.sendBroadcast(intent);
}
@Override
protected void messageReceived(ChannelHandlerContext ctx, Object msg) throws Exception {
if (msg instanceof Message) {
Intent intent = new Intent();
intent.setAction(ACTION_MESSAGE_RECEIVED);
intent.putExtra("message", (Message) msg);
context.sendBroadcast(intent);
}
if (msg instanceof ReplyBody) {
Intent intent = new Intent();
intent.setAction(ACTION_REPLY_RECEIVED);
intent.putExtra("replyBody", (ReplyBody) msg);
context.sendBroadcast(intent);
}
//收到服务端发来的心跳请求命令则马上回应服务器
if (msg.equals(CIMConstant.CMD_HEARTBEAT_REQUEST)) {
ctx.writeAndFlush(CIMConstant.CMD_HEARTBEAT_RESPONSE);
}
}
public static boolean netWorkAvailable(Context context) {
try {
ConnectivityManager nw = (ConnectivityManager) context.getSystemService(Context.CONNECTIVITY_SERVICE);
NetworkInfo networkInfo = nw.getActiveNetworkInfo();
return networkInfo != null;
} catch (Exception e) {}
return false;
}
}

View File

@ -1,188 +1,239 @@
package com.farsunset.cim.client.android;
import java.util.List;
import android.app.ActivityManager;
import android.app.ActivityManager.RunningTaskInfo;
import android.content.BroadcastReceiver;
import android.content.Context;
import android.content.Intent;
import android.net.ConnectivityManager;
import android.net.NetworkInfo;
import android.os.Handler;
import com.farsunset.cim.nio.constant.CIMConstant;
import com.farsunset.cim.nio.mutual.Message;
import com.farsunset.cim.nio.mutual.ReplyBody;
import com.farsunset.cim.nio.mutual.SentBody;
/**
* 消息入口所有消息都会经过这里
* @author 3979434
*
*/
public abstract class CIMEnventListenerReceiver extends BroadcastReceiver implements OnCIMMessageListener {
public Context context;
@Override
public void onReceive(Context ctx, Intent it) {
context = ctx;
if(it.getAction().equals(CIMConnectorManager.ACTION_NETWORK_CHANGED))
{
ConnectivityManager connectivityManager = (ConnectivityManager)context.getSystemService("connectivity");
android.net.NetworkInfo info = connectivityManager.getActiveNetworkInfo();
onDevicesNetworkChanged(info);
}
if(it.getAction().equals(CIMConnectorManager.ACTION_CONNECTION_CLOSED))
{
dispatchConnectionClosed();
}
if(it.getAction().equals(CIMConnectorManager.ACTION_CONNECTION_FAILED))
{
onConnectionFailed((Exception) it.getSerializableExtra("exception"));
}
if(it.getAction().equals(CIMConnectorManager.ACTION_CONNECTION_SUCCESS))
{
dispatchConnectionSucceed();
}
if(it.getAction().equals(CIMConnectorManager.ACTION_MESSAGE_RECEIVED))
{
filterType999Message((Message)it.getSerializableExtra("message"));
}
if(it.getAction().equals(CIMConnectorManager.ACTION_REPLY_RECEIVED))
{
onReplyReceived((ReplyBody)it.getSerializableExtra("replyBody"));
}
if(it.getAction().equals(CIMConnectorManager.ACTION_SENT_FAILED))
{
onSentFailed((Exception) it.getSerializableExtra("exception"),(SentBody)it.getSerializableExtra("sentBody"));
}
if(it.getAction().equals(CIMConnectorManager.ACTION_SENT_SUCCESS))
{
onSentSucceed((SentBody)it.getSerializableExtra("sentBody"));
}
if(it.getAction().equals(CIMConnectorManager.ACTION_UNCAUGHT_EXCEPTION))
{
onUncaughtException((Exception)it.getSerializableExtra("exception"));
}
if(it.getAction().equals(CIMConnectorManager.ACTION_CONNECTION_STATUS))
{
onConnectionStatus(it.getBooleanExtra(CIMPushManager.KEY_CIM_CONNECTION_STATUS, false));
}
}
private void dispatchConnectionClosed() {
if(CIMConnectorManager.netWorkAvailable(context))
{
CIMPushManager.init(context);
}
onConnectionClosed();
}
protected boolean isInBackground(Context context) {
List<RunningTaskInfo> tasksInfo = ((ActivityManager) context.getSystemService(Context.ACTIVITY_SERVICE)).getRunningTasks(1);
if (tasksInfo.size() > 0) {
if (context.getPackageName().equals(
tasksInfo.get(0).topActivity.getPackageName())) {
return false;
}
}
return true;
}
private void onConnectionFailed(Exception e){
if(CIMConnectorManager.netWorkAvailable(context))
{
//间隔30秒后重连
connectionHandler.sendMessageDelayed(connectionHandler.obtainMessage(), 30*1000);
}
}
Handler connectionHandler = new Handler()
{
@Override
public void handleMessage(android.os.Message message){
CIMPushManager.init(context);
}
};
private void dispatchConnectionSucceed() {
CIMPushManager.setAccount(context);
onConnectionSucceed();
}
private void onUncaughtException(Throwable arg0) {}
private void onDevicesNetworkChanged(NetworkInfo info) {
if(info !=null)
{
CIMPushManager.init(context);
}
onNetworkChanged(info);
}
private void filterType999Message(com.farsunset.cim.nio.mutual.Message message)
{
if(CIMConstant.MessageType.TYPE_999.equals(message.getType()))
{
CIMDataConfig.putBoolean(context,CIMDataConfig.KEY_MANUAL_STOP,true);
}
onMessageReceived(message);
}
private void onSentFailed(Exception e, SentBody body){
//与服务端端开链接重新连接
if(e instanceof CIMSessionDisableException)
{
CIMPushManager.init(context);
}else
{
//发送失败 重新发送
CIMPushManager.sendRequest(context, body);
}
}
private void onSentSucceed(SentBody body){}
@Override
public abstract void onMessageReceived(com.farsunset.cim.nio.mutual.Message message);
@Override
public abstract void onReplyReceived(ReplyBody body);
public abstract void onNetworkChanged(NetworkInfo info);
}
/**
* probject:cim-android-sdk
* @version 2.0.0
*
* @author 3979434@qq.com
*/
package com.farsunset.cim.client.android;
import java.util.List;
import android.app.ActivityManager;
import android.app.ActivityManager.RunningTaskInfo;
import android.content.BroadcastReceiver;
import android.content.Context;
import android.content.Intent;
import android.net.ConnectivityManager;
import android.net.NetworkInfo;
import android.os.Handler;
import com.farsunset.cim.client.constant.CIMConstant;
import com.farsunset.cim.client.exception.CIMSessionDisableException;
import com.farsunset.cim.client.model.Message;
import com.farsunset.cim.client.model.ReplyBody;
import com.farsunset.cim.client.model.SentBody;
/**
* 消息入口所有消息都会经过这里
*/
public abstract class CIMEventBroadcastReceiver extends BroadcastReceiver implements CIMEventListener {
public Context context;
@Override
public void onReceive(Context ctx, Intent it) {
context = ctx;
/*
* 操作事件广播用于提高service存活率
*/
if(it.getAction().equals(Intent.ACTION_USER_PRESENT)
||it.getAction().equals(Intent.ACTION_POWER_CONNECTED)
||it.getAction().equals(Intent.ACTION_POWER_DISCONNECTED)
)
{
startPushService();
}
/*
* 设备网络状态变化事件
*/
if(it.getAction().equals(CIMConnectorManager.ACTION_NETWORK_CHANGED))
{
ConnectivityManager connectivityManager = (ConnectivityManager)context.getSystemService(Context.CONNECTIVITY_SERVICE);
android.net.NetworkInfo info = connectivityManager.getActiveNetworkInfo();
onDevicesNetworkChanged(info);
}
/*
* cim断开服务器事件
*/
if(it.getAction().equals(CIMConnectorManager.ACTION_CONNECTION_CLOSED))
{
if(CIMConnectorManager.netWorkAvailable(context))
{
CIMPushManager.init(context);
}
onCIMConnectionClosed();
}
/*
* cim连接服务器失败事件
*/
if(it.getAction().equals(CIMConnectorManager.ACTION_CONNECTION_FAILED))
{
onConnectionFailed((Exception) it.getSerializableExtra("exception"));
}
/*
* cim连接服务器成功事件
*/
if(it.getAction().equals(CIMConnectorManager.ACTION_CONNECTION_SUCCESS))
{
CIMPushManager.bindAccount(context);
onCIMConnectionSucceed();
}
/*
* 收到推送消息事件
*/
if(it.getAction().equals(CIMConnectorManager.ACTION_MESSAGE_RECEIVED))
{
filterType999Message((Message)it.getSerializableExtra("message"));
}
/*
* 获取收到replybody成功事件
*/
if(it.getAction().equals(CIMConnectorManager.ACTION_REPLY_RECEIVED))
{
onReplyReceived((ReplyBody)it.getSerializableExtra("replyBody"));
}
/*
* 获取sendbody发送失败事件
*/
if(it.getAction().equals(CIMConnectorManager.ACTION_SENT_FAILED))
{
onSentFailed((Exception) it.getSerializableExtra("exception"),(SentBody)it.getSerializableExtra("sentBody"));
}
/*
* 获取sendbody发送成功事件
*/
if(it.getAction().equals(CIMConnectorManager.ACTION_SENT_SUCCESS))
{
onSentSucceed((SentBody)it.getSerializableExtra("sentBody"));
}
/*
* 获取cim数据传输异常事件
*/
if(it.getAction().equals(CIMConnectorManager.ACTION_UNCAUGHT_EXCEPTION))
{
onUncaughtException((Exception)it.getSerializableExtra("exception"));
}
/*
* 获取cim连接状态事件
*/
if(it.getAction().equals(CIMConnectorManager.ACTION_CONNECTION_STATUS))
{
onConnectionStatus(it.getBooleanExtra(CIMPushManager.KEY_CIM_CONNECTION_STATUS, false));
}
}
protected boolean isInBackground(Context context) {
List<RunningTaskInfo> tasksInfo = ((ActivityManager) context.getSystemService(Context.ACTIVITY_SERVICE)).getRunningTasks(1);
if (tasksInfo.size() > 0) {
if (context.getPackageName().equals(
tasksInfo.get(0).topActivity.getPackageName())) {
return false;
}
}
return true;
}
private void startPushService()
{
Intent intent = new Intent(context, CIMPushService.class);
intent.putExtra(CIMPushManager.SERVICE_ACTION, CIMPushManager.ACTION_ACTIVATE_PUSH_SERVICE);
context.startService(intent);
}
private void onConnectionFailed(Exception e){
if(CIMConnectorManager.netWorkAvailable(context))
{
//间隔30秒后重连
connectionHandler.sendMessageDelayed(connectionHandler.obtainMessage(), 30*1000);
}
}
Handler connectionHandler = new Handler()
{
@Override
public void handleMessage(android.os.Message message){
CIMPushManager.init(context);
}
};
private void onUncaughtException(Throwable arg0) {}
private void onDevicesNetworkChanged(NetworkInfo info) {
if(info !=null)
{
CIMPushManager.init(context);
}
onNetworkChanged(info);
}
private void filterType999Message(com.farsunset.cim.client.model.Message message)
{
if(CIMConstant.MessageType.TYPE_999.equals(message.getType()))
{
CIMCacheTools.putBoolean(context,CIMCacheTools.KEY_MANUAL_STOP,true);
}
onMessageReceived(message);
}
private void onSentFailed(Exception e, SentBody body){
//与服务端端开链接重新连接
if(e instanceof CIMSessionDisableException)
{
CIMPushManager.init(context);
}else
{
//发送失败 重新发送
CIMPushManager.sendRequest(context, body);
}
}
private void onSentSucceed(SentBody body){}
@Override
public abstract void onMessageReceived(com.farsunset.cim.client.model.Message message);
@Override
public abstract void onReplyReceived(ReplyBody body);
public abstract void onNetworkChanged(NetworkInfo info);
public abstract void onCIMConnectionSucceed();
public abstract void onCIMConnectionClosed();
}

View File

@ -1,23 +1,20 @@
/**
* probject:cim-android-sdk
* @version 2.0.0
*
* @author 3979434@qq.com
*/
package com.farsunset.cim.client.android;
import android.net.NetworkInfo;
import com.farsunset.cim.nio.mutual.Message;
import com.farsunset.cim.nio.mutual.ReplyBody;
import com.farsunset.cim.client.model.Message;
import com.farsunset.cim.client.model.ReplyBody;
/**
*CIM 主要事件接口
* 类名称OnCIMMessageListener
* 类描述
* 创建人 3979434
* 修改人 3979434
* 修改时间 2014-4-28 下午5:07:47
* 修改备注
* @version 1.0.0
*
*/
public interface OnCIMMessageListener
public interface CIMEventListener
{
@ -25,36 +22,36 @@ public interface OnCIMMessageListener
* 当收到服务端推送过来的消息时调用
* @param message
*/
public abstract void onMessageReceived(Message message);
public void onMessageReceived(Message message);
/**
* 当调用CIMPushManager.sendRequest()向服务端发送请求获得相应时调用
* @param replybody
*/
public abstract void onReplyReceived(ReplyBody replybody);
public void onReplyReceived(ReplyBody replybody);
/**
* 当手机网络发生变化时调用
* @param networkinfo
*/
public abstract void onNetworkChanged(NetworkInfo networkinfo);
public void onNetworkChanged(NetworkInfo networkinfo);
/**
* 获取到是否连接到服务端
* 通过调用CIMPushManager.detectIsConnected()来异步获取
*
*/
public abstract void onConnectionStatus(boolean isConnected);
public void onConnectionStatus(boolean isConnected);
/**
* 连接服务端成功
*/
public abstract void onConnectionSucceed();
public void onCIMConnectionSucceed();
/**
* 连接断开
*/
public abstract void onConnectionClosed();
public void onCIMConnectionClosed();
}

View File

@ -0,0 +1,101 @@
/**
* probject:cim-android-sdk
* @version 2.0.0
*
* @author 3979434@qq.com
*/
package com.farsunset.cim.client.android;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import com.farsunset.cim.client.constant.CIMConstant;
import android.app.Activity;
import android.content.Context;
import android.content.pm.ActivityInfo;
import android.content.pm.PackageManager;
/**
* CIM 消息监听器管理
*/
public class CIMListenerManager {
private static ArrayList<CIMEventListener> cimListeners = new ArrayList<CIMEventListener>();
public static void registerMessageListener(CIMEventListener listener,Context mcontext) {
if (!cimListeners.contains(listener)) {
cimListeners.add(listener);
// 按照接收顺序倒序
Collections.sort(cimListeners, new CIMMessageReceiveComparator(mcontext));
}
}
public static void removeMessageListener(CIMEventListener listener) {
for (int i = 0; i < cimListeners.size(); i++) {
if (listener.getClass() == cimListeners.get(i).getClass()) {
cimListeners.remove(i);
}
}
}
public static ArrayList<CIMEventListener> getCIMListeners() {
return cimListeners;
}
/**
* 消息接收activity的接收顺序排序CIM_RECEIVE_ORDER倒序
*/
static class CIMMessageReceiveComparator implements Comparator<CIMEventListener>{
Context mcontext;
public CIMMessageReceiveComparator(Context ctx)
{
mcontext = ctx;
}
@Override
public int compare(CIMEventListener arg1, CIMEventListener arg2) {
Integer order1 = CIMConstant.CIM_DEFAULT_MESSAGE_ORDER;
Integer order2 = CIMConstant.CIM_DEFAULT_MESSAGE_ORDER;
ActivityInfo info;
if (arg1 instanceof Activity ) {
try {
info = mcontext.getPackageManager() .getActivityInfo(((Activity)(arg1)).getComponentName(), PackageManager.GET_META_DATA);
if(info.metaData!=null)
{
order1 = info.metaData.getInt("CIM_RECEIVE_ORDER");
}
} catch (Exception e) {}
}
if (arg1 instanceof Activity ) {
try {
info = mcontext.getPackageManager() .getActivityInfo(((Activity)(arg2)).getComponentName(), PackageManager.GET_META_DATA);
if(info.metaData!=null)
{
order2 = info.metaData.getInt("CIM_RECEIVE_ORDER");
}
} catch (Exception e) {}
}
return order2.compareTo(order1);
}
}
}

View File

@ -1,191 +1,215 @@
package com.farsunset.cim.client.android;
import android.content.Context;
import android.content.Intent;
import android.telephony.TelephonyManager;
import java.util.UUID;
import com.farsunset.cim.nio.constant.CIMConstant;
import com.farsunset.cim.nio.mutual.SentBody;
/**
* CIM 功能接口
*
* @author 3979434@qq.com
*/
public class CIMPushManager {
static String ACTION_CONNECTION_KEEPALIVE ="ACTION_CONNECTION_KEEPALIVE";
static String ACTION_CONNECTION ="ACTION_CONNECTION";
static String ACTION_CONNECTION_STATUS ="ACTION_CONNECTION_STATUS";
static String ACTION_SENDREQUEST ="ACTION_SENDREQUEST";
static String ACTION_DISCONNECTION ="ACTION_DISSENDREQUEST";
static String ACTION_DESTORY ="ACTION_DESTORY";
static String SERVICE_ACTION ="SERVICE_ACTION";
static String KEY_SEND_BODY ="KEY_SEND_BODY";
static String KEY_CIM_CONNECTION_STATUS ="KEY_CIM_CONNECTION_STATUS";
/**
* 初始化,连接服务端在程序启动页或者 在Application里调用
* @param context
* @param ip
* @param port
*/
public static void init(Context context,String ip,int port){
CIMDataConfig.putBoolean(context,CIMDataConfig.KEY_CIM_DESTORYED, false);
CIMDataConfig.putBoolean(context,CIMDataConfig.KEY_MANUAL_STOP, false);
Intent serviceIntent = new Intent(context, CIMPushService.class);
serviceIntent.putExtra(CIMDataConfig.KEY_CIM_SERVIER_HOST, ip);
serviceIntent.putExtra(CIMDataConfig.KEY_CIM_SERVIER_PORT, port);
serviceIntent.putExtra(SERVICE_ACTION, ACTION_CONNECTION);
context.startService(serviceIntent);
CIMDataConfig.putString(context, CIMDataConfig.KEY_CIM_SERVIER_HOST, ip);
CIMDataConfig.putInt(context, CIMDataConfig.KEY_CIM_SERVIER_PORT, port);
}
protected static void init(Context context){
boolean isManualStop = CIMDataConfig.getBoolean(context,CIMDataConfig.KEY_MANUAL_STOP);
boolean isManualDestory = CIMDataConfig.getBoolean(context,CIMDataConfig.KEY_CIM_DESTORYED);
if(isManualStop || isManualDestory)
{
return ;
}
String host = CIMDataConfig.getString(context, CIMDataConfig.KEY_CIM_SERVIER_HOST);
int port =CIMDataConfig.getInt(context, CIMDataConfig.KEY_CIM_SERVIER_PORT);
init(context,host,port);
}
/**
* 设置一个账号登录到服务端
* @param account 用户唯一ID
*/
public static void setAccount(Context context,String account){
boolean isManualDestory = CIMDataConfig.getBoolean(context,CIMDataConfig.KEY_CIM_DESTORYED);
if(isManualDestory || account==null || account.trim().length()==0)
{
return ;
}
CIMDataConfig.putBoolean(context,CIMDataConfig.KEY_MANUAL_STOP, false);
CIMDataConfig.putString(context,CIMDataConfig.KEY_ACCOUNT, account);
String imei = ((TelephonyManager) context.getSystemService(Context.TELEPHONY_SERVICE)).getDeviceId();
imei += context.getPackageName();
SentBody sent = new SentBody();
sent.setKey(CIMConstant.RequestKey.CLIENT_BIND);
sent.put("account", account);
sent.put("deviceId",UUID.nameUUIDFromBytes(imei.getBytes()).toString().replaceAll("-", ""));
sent.put("channel", "android");
sent.put("device",android.os.Build.MODEL);
sendRequest(context,sent);
}
protected static void setAccount(Context context){
String account = CIMDataConfig.getString(context,CIMDataConfig.KEY_ACCOUNT);
setAccount(context,account);
}
/**
* 发送一个CIM请求
* @param context
* @body
*/
public static void sendRequest(Context context,SentBody body){
boolean isManualStop = CIMDataConfig.getBoolean(context,CIMDataConfig.KEY_MANUAL_STOP);
boolean isManualDestory = CIMDataConfig.getBoolean(context,CIMDataConfig.KEY_CIM_DESTORYED);
if(isManualStop || isManualDestory)
{
return ;
}
Intent serviceIntent = new Intent(context, CIMPushService.class);
serviceIntent.putExtra(KEY_SEND_BODY, body);
serviceIntent.putExtra(SERVICE_ACTION, ACTION_SENDREQUEST);
context.startService(serviceIntent);
}
/**
* 停止接受推送将会退出当前账号登录端口与服务端的连接
* @param context
*/
public static void stop(Context context){
boolean isManualDestory = CIMDataConfig.getBoolean(context,CIMDataConfig.KEY_CIM_DESTORYED);
if(isManualDestory){
return ;
}
CIMDataConfig.putBoolean(context,CIMDataConfig.KEY_MANUAL_STOP, true);
Intent serviceIntent = new Intent(context, CIMPushService.class);
serviceIntent.putExtra(SERVICE_ACTION, ACTION_DISCONNECTION);
context.startService(serviceIntent);
}
/**
* 完全销毁CIM一般用于完全退出程序调用resume将不能恢复
* @param context
*/
public static void destory(Context context){
CIMDataConfig.putBoolean(context,CIMDataConfig.KEY_CIM_DESTORYED, true);
CIMDataConfig.putString(context,CIMDataConfig.KEY_ACCOUNT, null);
Intent serviceIntent = new Intent(context, CIMPushService.class);
serviceIntent.putExtra(SERVICE_ACTION, ACTION_DESTORY);
context.startService(serviceIntent);
}
/**
* 重新恢复接收推送重新连接服务端并登录当前账号
* @param context
*/
public static void resume(Context context){
boolean isManualDestory = CIMDataConfig.getBoolean(context,CIMDataConfig.KEY_CIM_DESTORYED);
if(isManualDestory){
return ;
}
setAccount(context);
}
public void detectIsConnected(Context context){
Intent serviceIntent = new Intent(context, CIMPushService.class);
serviceIntent.putExtra(SERVICE_ACTION, ACTION_CONNECTION_STATUS);
context.startService(serviceIntent);
}
/**
* probject:cim-android-sdk
* @version 2.0.0
*
* @author 3979434@qq.com
*/
package com.farsunset.cim.client.android;
import java.util.UUID;
import android.content.Context;
import android.content.Intent;
import android.content.pm.PackageInfo;
import android.content.pm.PackageManager.NameNotFoundException;
import android.telephony.TelephonyManager;
import com.farsunset.cim.client.constant.CIMConstant;
import com.farsunset.cim.client.model.SentBody;
/**
* CIM 功能接口
*/
public class CIMPushManager {
static String ACTION_ACTIVATE_PUSH_SERVICE ="ACTION_ACTIVATE_PUSH_SERVICE";
static String ACTION_CONNECTION ="ACTION_CONNECTION";
static String ACTION_CONNECTION_STATUS ="ACTION_CONNECTION_STATUS";
static String ACTION_SENDREQUEST ="ACTION_SENDREQUEST";
static String ACTION_DISCONNECTION ="ACTION_DISSENDREQUEST";
static String ACTION_DESTORY ="ACTION_DESTORY";
static String SERVICE_ACTION ="SERVICE_ACTION";
static String KEY_SEND_BODY ="KEY_SEND_BODY";
static String KEY_CIM_CONNECTION_STATUS ="KEY_CIM_CONNECTION_STATUS";
/**
* 初始化,连接服务端在程序启动页或者 在Application里调用
* @param context
* @param ip
* @param port
*/
public static void init(Context context,String ip,int port){
CIMCacheTools.putBoolean(context,CIMCacheTools.KEY_CIM_DESTORYED, false);
CIMCacheTools.putBoolean(context,CIMCacheTools.KEY_MANUAL_STOP, false);
CIMCacheTools.putString(context, CIMCacheTools.KEY_CIM_SERVIER_HOST, ip);
CIMCacheTools.putInt(context, CIMCacheTools.KEY_CIM_SERVIER_PORT, port);
Intent serviceIntent = new Intent(context, CIMPushService.class);
serviceIntent.putExtra(CIMCacheTools.KEY_CIM_SERVIER_HOST, ip);
serviceIntent.putExtra(CIMCacheTools.KEY_CIM_SERVIER_PORT, port);
serviceIntent.putExtra(SERVICE_ACTION, ACTION_CONNECTION);
context.startService(serviceIntent);
}
protected static void init(Context context){
boolean isManualStop = CIMCacheTools.getBoolean(context,CIMCacheTools.KEY_MANUAL_STOP);
boolean isManualDestory = CIMCacheTools.getBoolean(context,CIMCacheTools.KEY_CIM_DESTORYED);
if(isManualStop || isManualDestory)
{
return ;
}
String host = CIMCacheTools.getString(context, CIMCacheTools.KEY_CIM_SERVIER_HOST);
int port =CIMCacheTools.getInt(context, CIMCacheTools.KEY_CIM_SERVIER_PORT);
init(context,host,port);
}
/**
* 设置一个账号登录到服务端
* @param account 用户唯一ID
*/
public static void bindAccount(Context context,String account){
boolean isManualDestory = CIMCacheTools.getBoolean(context,CIMCacheTools.KEY_CIM_DESTORYED);
if(isManualDestory || account==null || account.trim().length()==0)
{
return ;
}
CIMCacheTools.putBoolean(context,CIMCacheTools.KEY_MANUAL_STOP, false);
CIMCacheTools.putString(context,CIMCacheTools.KEY_ACCOUNT, account);
String imei = ((TelephonyManager) context.getSystemService(Context.TELEPHONY_SERVICE)).getDeviceId();
imei += context.getPackageName();
SentBody sent = new SentBody();
sent.setKey(CIMConstant.RequestKey.CLIENT_BIND);
sent.put("account", account);
sent.put("deviceId",UUID.nameUUIDFromBytes(imei.getBytes()).toString().replaceAll("-", ""));
sent.put("channel", "android");
sent.put("device",android.os.Build.MODEL);
sent.put("appVersion",getVersionName(context));
sent.put("osVersion",android.os.Build.VERSION.RELEASE);
sendRequest(context,sent);
}
protected static void bindAccount(Context context){
String account = CIMCacheTools.getString(context,CIMCacheTools.KEY_ACCOUNT);
bindAccount(context,account);
}
/**
* 发送一个CIM请求
* @param context
* @body
*/
public static void sendRequest(Context context,SentBody body){
boolean isManualStop = CIMCacheTools.getBoolean(context,CIMCacheTools.KEY_MANUAL_STOP);
boolean isManualDestory = CIMCacheTools.getBoolean(context,CIMCacheTools.KEY_CIM_DESTORYED);
if(isManualStop || isManualDestory)
{
return ;
}
Intent serviceIntent = new Intent(context, CIMPushService.class);
serviceIntent.putExtra(KEY_SEND_BODY, body);
serviceIntent.putExtra(SERVICE_ACTION, ACTION_SENDREQUEST);
context.startService(serviceIntent);
}
/**
* 停止接受推送将会退出当前账号登录端口与服务端的连接
* @param context
*/
public static void stop(Context context){
boolean isManualDestory = CIMCacheTools.getBoolean(context,CIMCacheTools.KEY_CIM_DESTORYED);
if(isManualDestory){
return ;
}
CIMCacheTools.putBoolean(context,CIMCacheTools.KEY_MANUAL_STOP, true);
Intent serviceIntent = new Intent(context, CIMPushService.class);
serviceIntent.putExtra(SERVICE_ACTION, ACTION_DISCONNECTION);
context.startService(serviceIntent);
}
/**
* 完全销毁CIM一般用于完全退出程序调用resume将不能恢复
* @param context
*/
public static void destory(Context context){
CIMCacheTools.putBoolean(context,CIMCacheTools.KEY_CIM_DESTORYED, true);
CIMCacheTools.putString(context,CIMCacheTools.KEY_ACCOUNT, null);
Intent serviceIntent = new Intent(context, CIMPushService.class);
serviceIntent.putExtra(SERVICE_ACTION, ACTION_DESTORY);
context.startService(serviceIntent);
}
/**
* 重新恢复接收推送重新连接服务端并登录当前账号
* @param context
*/
public static void resume(Context context){
boolean isManualDestory = CIMCacheTools.getBoolean(context,CIMCacheTools.KEY_CIM_DESTORYED);
if(isManualDestory){
return ;
}
bindAccount(context);
}
public static void detectIsConnected(Context context){
Intent serviceIntent = new Intent(context, CIMPushService.class);
serviceIntent.putExtra(SERVICE_ACTION, ACTION_CONNECTION_STATUS);
context.startService(serviceIntent);
}
private static String getVersionName(Context context) {
String versionName = null;
try {
PackageInfo mPackageInfo = context.getPackageManager().getPackageInfo(context.getPackageName(), 0);
versionName = mPackageInfo.versionName;
} catch (NameNotFoundException e) {
}
return versionName;
}
}

View File

@ -1,15 +1,11 @@
package com.farsunset.cim.client.android;
import android.app.AlarmManager;
import android.app.PendingIntent;
import android.app.Service;
import android.content.Intent;
import android.os.Binder;
import android.os.IBinder;
import android.util.Log;
import com.farsunset.cim.nio.mutual.SentBody;
import com.farsunset.cim.client.model.SentBody;
/**
@ -19,18 +15,12 @@ import com.farsunset.cim.nio.mutual.SentBody;
*/
public class CIMPushService extends Service {
protected final static int DEF_CIM_PORT = 28888;
CIMConnectorManager manager;
AlarmManager localAlarmManager;
private IBinder binder=new CIMPushService.LocalBinder();
PendingIntent localPendingIntent;
@Override
public void onCreate()
{
manager = CIMConnectorManager.getManager(this.getApplicationContext());
localPendingIntent = PendingIntent.getBroadcast(this, 0, new Intent(this, KeepAliveReceiver.class), PendingIntent.FLAG_CANCEL_CURRENT);
localAlarmManager = (AlarmManager)getSystemService(ALARM_SERVICE);
localAlarmManager.setRepeating(AlarmManager.RTC_WAKEUP, 300000L + System.currentTimeMillis(),300000L, localPendingIntent);
}
@ -41,18 +31,18 @@ import com.farsunset.cim.nio.mutual.SentBody;
if(intent==null)
{
intent = new Intent(CIMPushManager.ACTION_CONNECTION);
String host = CIMDataConfig.getString(this, CIMDataConfig.KEY_CIM_SERVIER_HOST);
int port =CIMDataConfig.getInt(this, CIMDataConfig.KEY_CIM_SERVIER_PORT);
intent.putExtra(CIMDataConfig.KEY_CIM_SERVIER_HOST, host);
intent.putExtra(CIMDataConfig.KEY_CIM_SERVIER_PORT, port);
String host = CIMCacheTools.getString(this, CIMCacheTools.KEY_CIM_SERVIER_HOST);
int port =CIMCacheTools.getInt(this, CIMCacheTools.KEY_CIM_SERVIER_PORT);
intent.putExtra(CIMCacheTools.KEY_CIM_SERVIER_HOST, host);
intent.putExtra(CIMCacheTools.KEY_CIM_SERVIER_PORT, port);
}
action = intent.getStringExtra(CIMPushManager.SERVICE_ACTION);
if(CIMPushManager.ACTION_CONNECTION.equals(action))
{
String host = intent.getStringExtra(CIMDataConfig.KEY_CIM_SERVIER_HOST);
int port = intent.getIntExtra(CIMDataConfig.KEY_CIM_SERVIER_PORT, 28888);
String host = intent.getStringExtra(CIMCacheTools.KEY_CIM_SERVIER_HOST);
int port = intent.getIntExtra(CIMCacheTools.KEY_CIM_SERVIER_PORT, DEF_CIM_PORT);
manager.connect(host,port);
}
@ -68,8 +58,6 @@ import com.farsunset.cim.nio.mutual.SentBody;
if(CIMPushManager.ACTION_DESTORY.equals(action))
{
localAlarmManager.cancel(localPendingIntent);
localPendingIntent.cancel();
manager.destroy();
this.stopSelf();
android.os.Process.killProcess(android.os.Process.myPid());
@ -80,14 +68,14 @@ import com.farsunset.cim.nio.mutual.SentBody;
manager.deliverIsConnected();
}
if(CIMPushManager.ACTION_CONNECTION_KEEPALIVE.equals(action))
if(CIMPushManager.ACTION_ACTIVATE_PUSH_SERVICE.equals(action))
{
if(!manager.isConnected())
{
Log.d(CIMPushService.class.getSimpleName(), "isConnected() = false ");
String host = intent.getStringExtra(CIMDataConfig.KEY_CIM_SERVIER_HOST);
int port = intent.getIntExtra(CIMDataConfig.KEY_CIM_SERVIER_PORT, 28888);
Log.d(CIMPushService.class.getSimpleName(), "cimpush isConnected() = false ");
String host = intent.getStringExtra(CIMCacheTools.KEY_CIM_SERVIER_HOST);
int port = intent.getIntExtra(CIMCacheTools.KEY_CIM_SERVIER_PORT, DEF_CIM_PORT);
manager.connect(host,port);
}else
{
@ -98,18 +86,12 @@ import com.farsunset.cim.nio.mutual.SentBody;
return Service.START_REDELIVER_INTENT;
}
@Override
public IBinder onBind(Intent arg0) {
return binder;
return null;
}
public class LocalBinder extends Binder{
public CIMPushService getService()
{
return CIMPushService.this;
}
}
}

View File

@ -0,0 +1,68 @@
/**
* probject:cim-android-sdk
* @version 2.0.0
*
* @author 3979434@qq.com
*/
package com.farsunset.cim.client.constant;
/**
* 常量
*/
public interface CIMConstant {
public static String UTF8="UTF-8";
public static byte MESSAGE_SEPARATE='\b';
public static int CIM_DEFAULT_MESSAGE_ORDER=1;
public static class ReturnCode{
public static String CODE_404 ="404";
public static String CODE_403 ="403";
public static String CODE_405 ="405";
public static String CODE_200 ="200";
public static String CODE_206 ="206";
public static String CODE_500 ="500";
}
/**
* 服务端心跳请求命令
*/
public static final String CMD_HEARTBEAT_REQUEST="cmd_server_hb_request";
/**
* 客户端心跳响应命令
*/
public static final String CMD_HEARTBEAT_RESPONSE ="cmd_client_hb_response";
public static class RequestKey{
public static String CLIENT_BIND ="client_bind";
public static String CLIENT_LOGOUT ="client_logout";
public static String CLIENT_OFFLINE_MESSAGE ="client_get_offline_message";
}
public static class MessageType{
//用户会 踢出下线消息类型
public static String TYPE_999 ="999";
}
}

View File

@ -1,4 +1,10 @@
package com.farsunset.cim.client.android;
/**
* probject:cim-android-sdk
* @version 2.0.0
*
* @author 3979434@qq.com
*/
package com.farsunset.cim.client.exception;
public class CIMSessionDisableException extends Exception {

View File

@ -1,4 +1,10 @@
package com.farsunset.cim.client.android;
/**
* probject:cim-android-sdk
* @version 2.0.0
*
* @author 3979434@qq.com
*/
package com.farsunset.cim.client.exception;
public class NetWorkDisableException extends Exception {

View File

@ -1,4 +1,10 @@
package com.farsunset.cim.client.android;
/**
* probject:cim-android-sdk
* @version 2.0.0
*
* @author 3979434@qq.com
*/
package com.farsunset.cim.client.exception;
import java.io.Serializable;

View File

@ -1,45 +1,50 @@
package com.farsunset.cim.nio.filter;
package com.farsunset.cim.client.filter;
import io.netty.buffer.ByteBuf;
import io.netty.channel.ChannelHandlerContext;
import io.netty.handler.codec.serialization.ClassResolver;
import io.netty.handler.codec.serialization.ObjectDecoder;
import java.io.ByteArrayInputStream;
import javax.xml.parsers.DocumentBuilder;
import javax.xml.parsers.DocumentBuilderFactory;
import org.jboss.netty.buffer.ChannelBuffer;
import org.jboss.netty.channel.Channel;
import org.jboss.netty.channel.ChannelHandlerContext;
import org.jboss.netty.handler.codec.frame.FrameDecoder;
import org.w3c.dom.Document;
import org.w3c.dom.Node;
import org.w3c.dom.NodeList;
import com.farsunset.cim.nio.constant.CIMConstant;
import com.farsunset.cim.nio.mutual.Message;
import com.farsunset.cim.nio.mutual.ReplyBody;
import android.util.Log;
import com.farsunset.cim.client.constant.CIMConstant;
import com.farsunset.cim.client.model.Message;
import com.farsunset.cim.client.model.ReplyBody;
/**
* 客户端消息解码
* @author 3979434@qq.com
*
*/
public class ClientMessageDecoder extends FrameDecoder {
public class ClientMessageDecoder extends ObjectDecoder {
public ClientMessageDecoder(ClassResolver classResolver) {
super(classResolver);
}
@Override
protected Object decode(ChannelHandlerContext arg0, Channel channel,ChannelBuffer buffer) throws Exception {
public Object decode(ChannelHandlerContext arg0, ByteBuf buffer) throws Exception {
int length = buffer.readableBytes();
/**
* CIMConstant.MESSAGE_SEPARATE 为消息界限
* 当一次收到多个消息时以此分隔解析多个消息
*/
if (buffer.readable()&& length > 0 && CIMConstant.MESSAGE_SEPARATE == buffer.getByte(length-1)) {
if (buffer.isReadable()&& length > 0 && CIMConstant.MESSAGE_SEPARATE == buffer.getByte(length-1)) {
byte[] data = new byte[length-1];
buffer.readBytes(data);
String message = new String(new String(data,CIMConstant.ENCODE_UTF8));
System.out.println("ClientMessageDecoder:" + message);
String message = new String(new String(data,CIMConstant.UTF8));
Log.i(ClientMessageDecoder.class.getSimpleName(), message.toString());
//将末尾的消息分隔符读取掉
buffer.readByte();
@ -55,10 +60,13 @@ public class ClientMessageDecoder extends FrameDecoder {
private Object mappingMessageObject(String message) throws Exception {
if(message.equals(CIMConstant.CMD_HEARTBEAT_REQUEST))//如果是心跳请求命令则直接返回
{
return CIMConstant.CMD_HEARTBEAT_REQUEST;
}
DocumentBuilderFactory factory = DocumentBuilderFactory.newInstance();
DocumentBuilder builder = factory.newDocumentBuilder();
Document doc = (Document) builder.parse(new ByteArrayInputStream(message.getBytes(CIMConstant.ENCODE_UTF8)));
Document doc = (Document) builder.parse(new ByteArrayInputStream(message.getBytes(CIMConstant.UTF8)));
String name = doc.getDocumentElement().getTagName();
if (name.equals("reply")) {

View File

@ -0,0 +1,29 @@
package com.farsunset.cim.client.filter;
import io.netty.buffer.ByteBuf;
import io.netty.channel.ChannelHandlerContext;
import io.netty.handler.codec.MessageToByteEncoder;
import android.util.Log;
import com.farsunset.cim.client.constant.CIMConstant;
/**
* 客户端消息发送前进行编码,可在此加密消息
* @author 3979434@qq.com
*
*/
public class ClientMessageEncoder extends MessageToByteEncoder<Object> {
@Override
protected void encode(ChannelHandlerContext ctx, Object message, ByteBuf out) throws Exception {
out.writeBytes(message.toString().getBytes(CIMConstant.UTF8));
out.writeByte(CIMConstant.MESSAGE_SEPARATE);
Log.i(ClientMessageEncoder.class.getSimpleName(), message.toString());
}
}

View File

@ -0,0 +1,174 @@
/**
* probject:cim-android-sdk
* @version 2.0.0
*
* @author 3979434@qq.com
*/
package com.farsunset.cim.client.model;
import java.io.Serializable;
/**
* 消息对象
*/
public class Message implements Serializable {
private static final long serialVersionUID = 1L;
/**
* 消息类型用户自定义消息类别
*/
private String mid;
/**
* 消息类型用户自定义消息类别
*/
private String type;
/**
* 消息标题
*/
private String title;
/**
* 消息类容于type 组合为任何类型消息content 根据 format 可表示为 text,json ,xml数据格式
*/
private String content;
/**
* 消息发送者账号
*/
private String sender;
/**
* 消息发送者接收者
*/
private String receiver;
/**
* 文件 url
*/
private String file;
/**
* 文件类型
*/
private String fileType;
/**
* content 内容格式
*/
private String format = "txt";
private long timestamp;
public Message()
{
timestamp = System.currentTimeMillis();
}
public long getTimestamp() {
return timestamp;
}
public void setTimestamp(long timestamp) {
this.timestamp = timestamp;
}
public String getType() {
return type;
}
public void setType(String type) {
this.type = type;
}
public String getTitle() {
return title;
}
public void setTitle(String title) {
this.title = title;
}
public String getContent() {
return content;
}
public void setContent(String content) {
this.content = content;
}
public String getSender() {
return sender;
}
public void setSender(String sender) {
this.sender = sender;
}
public String getReceiver() {
return receiver;
}
public void setReceiver(String receiver) {
this.receiver = receiver;
}
public String getFile() {
return file;
}
public void setFile(String file) {
this.file = file;
}
public String getFileType() {
return fileType;
}
public void setFileType(String fileType) {
this.fileType = fileType;
}
public String getFormat() {
return format;
}
public void setFormat(String format) {
this.format = format;
}
public String toString()
{
StringBuffer buffer = new StringBuffer();
buffer.append("<?xml version=\"1.0\" encoding=\"UTF-8\"?>");
buffer.append("<message>");
buffer.append("<mid>").append(mid).append("</mid>");
buffer.append("<type>").append(type).append("</type>");
buffer.append("<title>").append(this.getTitle()==null?"":this.getTitle()).append("</title>");
buffer.append("<content><![CDATA[").append(this.getContent()==null?"":this.getContent()).append("]]></content>");
buffer.append("<file>").append(this.getFile()==null?"":this.getFile()).append("</file>");
buffer.append("<fileType>").append(this.getFileType()==null?"":this.getFileType()).append("</fileType>");
buffer.append("<sender>").append(this.getSender()==null?"":this.getSender()).append("</sender>");
buffer.append("<receiver>").append(this.getReceiver()==null?"":this.getReceiver()).append("</receiver>");
buffer.append("<format>").append(this.getFormat()==null?"":this.getFormat()).append("</format>");
buffer.append("<timestamp>").append(timestamp).append("</timestamp>");
buffer.append("</message>");
return buffer.toString();
}
public String toXmlString()
{
return toString();
}
public String getMid() {
return mid;
}
public void setMid(String mid) {
this.mid = mid;
}
}

View File

@ -1,18 +1,19 @@
package com.farsunset.cim.nio.mutual;
/**
* probject:cim-android-sdk
* @version 2.0.0
*
* @author 3979434@qq.com
*/
package com.farsunset.cim.client.model;
import java.io.Serializable;
import java.util.HashMap;
/**
* 请求应答对象
* @author 3979434@qq.com
*
*/
public class ReplyBody implements Serializable {
/**
* @author 3979434@qq.com
* 服务端返回消息对象
*/
private static final long serialVersionUID = 1L;
/**

View File

@ -0,0 +1,84 @@
/**
* probject:cim-android-sdk
* @version 2.0.0
*
* @author 3979434@qq.com
*/
package com.farsunset.cim.client.model;
import java.io.Serializable;
import java.util.HashMap;
/**
* java |android 客户端请求结构
*
*/
public class SentBody implements Serializable {
private static final long serialVersionUID = 1L;
private String key;
private HashMap<String, String> data;
private long timestamp;
public SentBody() {
data = new HashMap<String, String>();
timestamp = System.currentTimeMillis();
}
public String getKey() {
return key;
}
public String get(String k) {
return data.get(k);
}
public long getTimestamp() {
return timestamp;
}
public void setTimestamp(long timestamp) {
this.timestamp = timestamp;
}
public void setKey(String key) {
this.key = key;
}
public void put(String k, String v) {
data.put(k, v);
}
public void remove(String k) {
data.remove(k);
}
public HashMap<String, String> getData() {
return data;
}
@Override
public String toString() {
StringBuffer buffer = new StringBuffer();
buffer.append("<?xml version=\"1.0\" encoding=\"UTF-8\"?>");
buffer.append("<sent>");
buffer.append("<key>").append(key).append("</key>");
buffer.append("<timestamp>").append(timestamp).append("</timestamp>");
buffer.append("<data>");
for (String key : data.keySet()) {
buffer.append("<" + key + ">").append(data.get(key)).append(
"</" + key + ">");
}
buffer.append("</data>");
buffer.append("</sent>");
return buffer.toString();
}
public String toXmlString() {
return toString();
}
}

View File

@ -1,10 +0,0 @@
<?xml version="1.0" encoding="UTF-8"?>
<classpath>
<classpathentry kind="src" path="src"/>
<classpathentry kind="con" path="org.eclipse.jdt.launching.JRE_CONTAINER"/>
<classpathentry kind="lib" path="/ichat-server/WebRoot/WEB-INF/lib/commons-lang3-3.1.jar"/>
<classpathentry kind="lib" path="/ichat-server/WebRoot/WEB-INF/lib/log4j.jar"/>
<classpathentry kind="lib" path="/ichat-server/WebRoot/WEB-INF/lib/netty-3.6.5.Final.jar"/>
<classpathentry kind="lib" path="D:/android-eclipse/adt-bundle-windows-x86_64-20131030/sdk/platforms/android-19/android.jar"/>
<classpathentry kind="output" path="bin"/>
</classpath>

View File

@ -1,40 +0,0 @@
package com.farsunset.cim.client.android;
import java.util.ArrayList;
import java.util.Collections;
import android.content.Context;
/**
* CIM 消息监听器管理
*
* @author 3979434@qq.com
*/
public class CIMListenerManager {
private static ArrayList<OnCIMMessageListener> cimListeners = new ArrayList<OnCIMMessageListener>();
public static void registerMessageListener(OnCIMMessageListener listener,Context mcontext) {
if (!cimListeners.contains(listener)) {
cimListeners.add(listener);
// 按照接收顺序倒序
Collections.sort(cimListeners, new CIMMessageReceiveComparator(mcontext));
}
}
public static void removeMessageListener(OnCIMMessageListener listener) {
for (int i = 0; i < cimListeners.size(); i++) {
if (listener.getClass() == cimListeners.get(i).getClass()) {
cimListeners.remove(i);
}
}
}
public static ArrayList<OnCIMMessageListener> getCIMListeners() {
return cimListeners;
}
}

View File

@ -1,59 +0,0 @@
package com.farsunset.cim.client.android;
import java.util.Comparator;
import android.app.Activity;
import android.content.Context;
import android.content.pm.ActivityInfo;
import android.content.pm.PackageManager;
import com.farsunset.cim.nio.constant.CIMConstant;
/**
* 消息接收activity的接收顺序排序CIM_RECEIVE_ORDER倒序
* @author 3979434
*
*/
public class CIMMessageReceiveComparator implements Comparator<OnCIMMessageListener>{
Context mcontext;
public CIMMessageReceiveComparator(Context ctx)
{
mcontext = ctx;
}
@Override
public int compare(OnCIMMessageListener arg1, OnCIMMessageListener arg2) {
Integer order1 = CIMConstant.CIM_DEFAULT_MESSAGE_ORDER;
Integer order2 = CIMConstant.CIM_DEFAULT_MESSAGE_ORDER;
ActivityInfo info;
if (arg1 instanceof Activity ) {
try {
info = mcontext.getPackageManager() .getActivityInfo(((Activity)(arg1)).getComponentName(), PackageManager.GET_META_DATA);
if(info.metaData!=null)
{
order1 = info.metaData.getInt("CIM_RECEIVE_ORDER");
}
} catch (Exception e) {}
}
if (arg1 instanceof Activity ) {
try {
info = mcontext.getPackageManager() .getActivityInfo(((Activity)(arg2)).getComponentName(), PackageManager.GET_META_DATA);
if(info.metaData!=null)
{
order2 = info.metaData.getInt("CIM_RECEIVE_ORDER");
}
} catch (Exception e) {}
}
return order2.compareTo(order1);
}
}

View File

@ -1,24 +0,0 @@
package com.farsunset.cim.client.android;
import android.content.BroadcastReceiver;
import android.content.Context;
import android.content.Intent;
import android.util.Log;
/**
* @author 3979434
*
*/
public class KeepAliveReceiver extends BroadcastReceiver {
@Override
public void onReceive(Context context, Intent it) {
Log.d(KeepAliveReceiver.class.getSimpleName(), "onReceive()");
Intent intent = new Intent(context, CIMPushService.class);
intent.putExtra(CIMPushManager.SERVICE_ACTION, CIMPushManager.ACTION_CONNECTION_KEEPALIVE);
context.startService(intent);
}
}

View File

@ -1,31 +0,0 @@
package com.farsunset.cim.nio.filter;
import org.jboss.netty.buffer.ChannelBuffer;
import org.jboss.netty.buffer.ChannelBuffers;
import org.jboss.netty.channel.Channel;
import org.jboss.netty.channel.ChannelHandlerContext;
import org.jboss.netty.handler.codec.oneone.OneToOneEncoder;
import com.farsunset.cim.nio.constant.CIMConstant;
/**
* 客户端消息发送前进行编码,可在此加密消息
* @author 3979434@qq.com
*
*/
public class ClientMessageEncoder extends OneToOneEncoder {
@Override
protected Object encode(ChannelHandlerContext arg0, Channel arg1,Object message) throws Exception {
ChannelBuffer buf = ChannelBuffers.dynamicBuffer();//(2)
buf.writeBytes(message.toString().getBytes());
buf.writeByte(CIMConstant.MESSAGE_SEPARATE);
return buf;
}
}

View File

@ -1,84 +0,0 @@
package com.farsunset.cim.nio.filter;
import java.io.ByteArrayInputStream;
import javax.xml.parsers.DocumentBuilder;
import javax.xml.parsers.DocumentBuilderFactory;
import org.jboss.netty.buffer.ChannelBuffer;
import org.jboss.netty.channel.Channel;
import org.jboss.netty.channel.ChannelHandlerContext;
import org.jboss.netty.handler.codec.frame.FrameDecoder;
import org.w3c.dom.Document;
import org.w3c.dom.Node;
import org.w3c.dom.NodeList;
import com.farsunset.cim.nio.constant.CIMConstant;
import com.farsunset.cim.nio.mutual.SentBody;
/**
* 服务端接收消息解码可在此解密消息
* @author 3979434@qq.com
*
*/
public class ServerMessageDecoder extends FrameDecoder {
@Override
protected Object decode(ChannelHandlerContext arg0, Channel channel,ChannelBuffer buffer) throws Exception {
int length = buffer.readableBytes();
/**
* CIMConstant.MESSAGE_SEPARATE 为消息界限
* 当一次收到多个消息时以此分隔解析多个消息
*/
if (buffer.readable()&&length > 0 && CIMConstant.MESSAGE_SEPARATE == buffer.getByte(length-1)) {
byte[] data = new byte[length-1];
buffer.readBytes(data);
String message = new String(new String(data,CIMConstant.ENCODE_UTF8));
System.out.println("[ServerMessageDecoder]:"+message);
buffer.readByte();
SentBody body = new SentBody();
DocumentBuilderFactory factory = DocumentBuilderFactory.newInstance();
DocumentBuilder builder = factory.newDocumentBuilder();
Document doc = builder.parse(new ByteArrayInputStream(message.toString().getBytes()));
body.setKey(doc.getElementsByTagName("key").item(0).getTextContent());
NodeList dataNodeList = doc.getElementsByTagName("data");
if(dataNodeList!=null && dataNodeList.getLength()>0)
{
NodeList items = dataNodeList.item(0).getChildNodes();
for (int i = 0; i < items.getLength(); i++) {
Node node = items.item(i);
body.getData().put(node.getNodeName(), node.getTextContent());
}
}
data = null;
message = null;
return body;
}
/**
* CIMConstant.FLEX_DATA_SEPARATE 为FLEX客户端socket验证消息界限
*
*/
if (buffer.readable()&& length > 0 && CIMConstant.FLEX_DATA_SEPARATE == buffer.getByte(length-1)) {
byte[] data = new byte[length-1];
buffer.readBytes(data);
String message = new String(new String(data,CIMConstant.ENCODE_UTF8));
System.out.println("[ServerMessageDecoder]:"+message);
//将末尾的消息分隔符读取掉
buffer.readByte();
data = null;
return message;
}
return null;
}
}

View File

@ -1,35 +0,0 @@
package com.farsunset.cim.nio.filter;
import org.jboss.netty.buffer.ChannelBuffer;
import org.jboss.netty.buffer.ChannelBuffers;
import org.jboss.netty.channel.Channel;
import org.jboss.netty.channel.ChannelHandlerContext;
import org.jboss.netty.handler.codec.oneone.OneToOneEncoder;
import com.farsunset.cim.nio.constant.CIMConstant;
/**
* 服务端发送消息前编码可在此加密消息
* @author 3979434@qq.com
*
*/
public class ServerMessageEncoder extends OneToOneEncoder {
@Override
protected Object encode(ChannelHandlerContext arg0, Channel arg1, Object message) throws Exception {
ChannelBuffer buf = ChannelBuffers.dynamicBuffer();//(2)
buf.writeBytes(message.toString().getBytes(CIMConstant.ENCODE_UTF8));
buf.writeByte(CIMConstant.MESSAGE_SEPARATE);
System.out.println("[ServerMessageEncoder]:"+message);
return buf;
}
}

View File

@ -1,32 +0,0 @@
package com.farsunset.cim.nio.handler;
import org.apache.log4j.Logger;
import com.farsunset.cim.nio.constant.CIMConstant;
import com.farsunset.cim.nio.mutual.ReplyBody;
import com.farsunset.cim.nio.mutual.SentBody;
import com.farsunset.cim.nio.session.CIMSession;
/**
*客户端心跳实现
*
* @author
*/
public class HeartbeatHandler implements CIMRequestHandler {
protected final Logger logger = Logger.getLogger(HeartbeatHandler.class);
public ReplyBody process(CIMSession session, SentBody message) {
logger.warn("heartbeat... from "+session.getRemoteAddress().toString());
ReplyBody reply = new ReplyBody();
reply.setKey(CIMConstant.RequestKey.CLIENT_HEARTBEAT);
reply.setCode(CIMConstant.ReturnCode.CODE_200);
session.setHeartbeat(System.currentTimeMillis());
return reply;
}
}

View File

@ -1,158 +0,0 @@
package com.farsunset.cim.nio.handler;
import java.net.InetSocketAddress;
import java.util.HashMap;
import java.util.concurrent.Executors;
import org.apache.log4j.Logger;
import org.jboss.netty.bootstrap.ServerBootstrap;
import org.jboss.netty.channel.ChannelHandlerContext;
import org.jboss.netty.channel.ChannelPipeline;
import org.jboss.netty.channel.ChannelPipelineFactory;
import org.jboss.netty.channel.ChannelStateEvent;
import org.jboss.netty.channel.Channels;
import org.jboss.netty.channel.MessageEvent;
import org.jboss.netty.channel.SimpleChannelUpstreamHandler;
import org.jboss.netty.channel.socket.nio.NioServerSocketChannelFactory;
import com.farsunset.cim.nio.constant.CIMConstant;
import com.farsunset.cim.nio.filter.ServerMessageDecoder;
import com.farsunset.cim.nio.filter.ServerMessageEncoder;
import com.farsunset.cim.nio.mutual.ReplyBody;
import com.farsunset.cim.nio.mutual.SentBody;
import com.farsunset.cim.nio.session.CIMSession;
/**
*
* 客户端请求的入口所有请求都首先经过它分发处理
* @author farsunset (3979434@qq.com)
*/
public class MainIOHandler extends SimpleChannelUpstreamHandler {
protected final Logger logger = Logger.getLogger(MainIOHandler.class);
private HashMap<String, CIMRequestHandler> handlers = new HashMap<String, CIMRequestHandler>();
private int port;
public void init()
{
ServerBootstrap bootstrap = new ServerBootstrap(
new NioServerSocketChannelFactory(
Executors.newCachedThreadPool(),
Executors.newCachedThreadPool()));
bootstrap.setPipelineFactory(new ChannelPipelineFactory()
{
@Override
public ChannelPipeline getPipeline() throws Exception
{
return Channels.pipeline(
new ServerMessageDecoder(),
new ServerMessageEncoder(),
MainIOHandler.this);
}
});
bootstrap.bind(new InetSocketAddress(port));
logger.warn("netty 启动成功" + port);
}
public void channelConnected(ChannelHandlerContext ctx, ChannelStateEvent event)
{
logger.warn("sessionCreated()... from "+ctx.getChannel().getRemoteAddress().toString());
}
public void messageReceived(ChannelHandlerContext ctx, MessageEvent e)
throws Exception {
logger.debug("message: " + e.getMessage().toString());
/**
* flex 客户端安全策略请求需要返回特定报文
*/
if(CIMConstant.FLEX_POLICY_REQUEST.equals(e.getMessage()))
{
ctx.getChannel().write(CIMConstant.FLEX_POLICY_RESPONSE);
return ;
}
CIMSession cimSession =new CIMSession(ctx.getChannel());
ReplyBody reply = new ReplyBody();
SentBody body = (SentBody) e.getMessage();
String key = body.getKey();
CIMRequestHandler handler = handlers.get(key);
if (handler == null) {
reply.setCode(CIMConstant.ReturnCode.CODE_405);
reply.setCode("KEY ["+key+"] 服务端未定义");
} else {
reply = handler.process(cimSession, body);
}
if(reply!=null)
{
reply.setKey(key);
cimSession.write(reply);
logger.debug("-----------------------process done. reply: " + reply.toString());
}
//设置心跳时间
cimSession.setAttribute(CIMConstant.HEARTBEAT_KEY, System.currentTimeMillis());
}
public void channelClosed(ChannelHandlerContext ctx, ChannelStateEvent event) {
CIMSession cimSession =new CIMSession(ctx.getChannel());
try{
logger.warn("sessionClosed()... from "+cimSession.getRemoteAddress());
CIMRequestHandler handler = handlers.get("sessionClosedHander");
if(handler!=null && cimSession.containsAttribute(CIMConstant.SESSION_KEY))
{
handler.process(cimSession, null);
}
}
catch(Exception e)
{
e.printStackTrace();
}
}
/**
*//*
public void channelDisconnected(ChannelHandlerContext ctx, ChannelStateEvent event) {
CIMSession cimSession =new CIMSession(ctx.getChannel());
try{
logger.warn("sessionClosed()... from "+cimSession.getRemoteAddress());
CIMRequestHandler handler = handlers.get("sessionClosedHander");
if(handler!=null && cimSession.containsAttribute(CIMConstant.SESSION_KEY))
{
handler.process(cimSession, null);
}
}
catch(Exception e)
{
e.printStackTrace();
}
}*/
public void setHandlers(HashMap<String, CIMRequestHandler> handlers) {
this.handlers = handlers;
}
public void setPort(int port) {
this.port = port;
}
}

View File

@ -0,0 +1,9 @@
<?xml version="1.0" encoding="UTF-8"?>
<classpath>
<classpathentry kind="src" path="src"/>
<classpathentry kind="lib" path="/cim-server/WebRoot/WEB-INF/lib/commons-lang3-3.1.jar"/>
<classpathentry kind="lib" path="/cim-server/WebRoot/WEB-INF/lib/log4j.jar"/>
<classpathentry kind="lib" path="/cim-server/WebRoot/WEB-INF/lib/netty-all-5.0.0.Alpha2.jar" sourcepath="C:/Users/Administrator/Desktop/netty-all-5.0.0.Alpha2-sources.jar"/>
<classpathentry kind="con" path="org.eclipse.jdt.launching.JRE_CONTAINER/org.eclipse.jdt.internal.debug.ui.launcher.StandardVMType/jdk1.7.0_80"/>
<classpathentry kind="output" path="bin"/>
</classpath>

View File

@ -1,6 +1,6 @@
<?xml version="1.0" encoding="UTF-8"?>
<projectDescription>
<name>cim-core</name>
<name>cim-server-sdk</name>
<comment></comment>
<projects>
</projects>

View File

@ -0,0 +1,167 @@
package com.farsunset.cim.launcher;
import io.netty.bootstrap.ServerBootstrap;
import io.netty.channel.ChannelHandlerContext;
import io.netty.channel.ChannelInitializer;
import io.netty.channel.ChannelPipeline;
import io.netty.channel.EventLoopGroup;
import io.netty.channel.SimpleChannelInboundHandler;
import io.netty.channel.nio.NioEventLoopGroup;
import io.netty.channel.socket.SocketChannel;
import io.netty.channel.socket.nio.NioServerSocketChannel;
import io.netty.handler.codec.serialization.ClassResolvers;
import io.netty.handler.timeout.IdleState;
import io.netty.handler.timeout.IdleStateEvent;
import io.netty.handler.timeout.IdleStateHandler;
import io.netty.util.AttributeKey;
import java.util.HashMap;
import org.apache.log4j.Logger;
import com.farsunset.cim.server.constant.CIMConstant;
import com.farsunset.cim.server.filter.ServerMessageDecoder;
import com.farsunset.cim.server.filter.ServerMessageEncoder;
import com.farsunset.cim.server.handler.CIMRequestHandler;
import com.farsunset.cim.server.mutual.ReplyBody;
import com.farsunset.cim.server.mutual.SentBody;
import com.farsunset.cim.server.session.CIMSession;
@io.netty.channel.ChannelHandler.Sharable
public class CIMNioSocketAcceptor extends SimpleChannelInboundHandler<Object>{
protected final Logger logger = Logger.getLogger(CIMNioSocketAcceptor.class.getSimpleName());
public final static String KEY_CLIENT_CIMSESSION_CLOSED = "client_cimsession_closed";
private HashMap<String, CIMRequestHandler> handlers = new HashMap<String, CIMRequestHandler>();
private int port;
public void bind()
{
new Thread(new Runnable(){
@Override
public void run() {
EventLoopGroup bossGroup = new NioEventLoopGroup();
EventLoopGroup workerGroup = new NioEventLoopGroup();
try{
ServerBootstrap bootstrap = new ServerBootstrap();
bootstrap.group(bossGroup, workerGroup);
bootstrap.channel(NioServerSocketChannel.class);
bootstrap.childHandler(new ChannelInitializer<SocketChannel>() {
@Override
public void initChannel(SocketChannel ch) throws Exception {
ChannelPipeline pipeline = ch.pipeline();
pipeline.addLast(new ServerMessageDecoder(ClassResolvers.cacheDisabled(null)));
pipeline.addLast(new ServerMessageEncoder());
pipeline.addLast(new IdleStateHandler(CIMConstant.IDLE_TIME/2,0,CIMConstant.IDLE_TIME));
pipeline.addLast(CIMNioSocketAcceptor.this);
}
});
bootstrap.bind(port).sync().channel().closeFuture().sync();
}catch(Exception e)
{
e.printStackTrace();
}
finally {
workerGroup.shutdownGracefully();
bossGroup.shutdownGracefully();
}
}
}).start();
}
@Override
public void channelRegistered( ChannelHandlerContext ctx) throws Exception {
logger.debug("channelRegistered()... from "+ctx.channel().remoteAddress());
}
/**
* 检测到连接空闲事件发送心跳请求命令
*/
@Override
public void userEventTriggered(ChannelHandlerContext ctx, Object evt) throws Exception {
if (evt instanceof IdleStateEvent && ((IdleStateEvent) evt).state().equals(IdleState.ALL_IDLE)) {
ctx.channel().attr(AttributeKey.valueOf(CIMConstant.HEARTBEAT_PINGED)).set(System.currentTimeMillis());
ctx.channel().writeAndFlush(CIMConstant.CMD_HEARTBEAT_REQUEST);
}
//如果心跳请求发出30秒内没收到响应则关闭连接
if (evt instanceof IdleStateEvent
&& ((IdleStateEvent) evt).state().equals(IdleState.READER_IDLE)
&& ctx.channel().attr(AttributeKey.valueOf(CIMConstant.HEARTBEAT_PINGED)).get()!=null)
{
long t = (Long) ctx.channel().attr(AttributeKey.valueOf(CIMConstant.HEARTBEAT_PINGED)).get();
if(System.currentTimeMillis() - t >= CIMConstant.PING_TIME_OUT)
{
ctx.channel().close();
}
}
super.userEventTriggered(ctx, evt);
}
protected void messageReceived(ChannelHandlerContext ctx, Object msg) throws Exception {
/**
* flex 客户端安全策略请求需要返回特定报文
*/
if(CIMConstant.FLEX_POLICY_REQUEST.equals(msg))
{
ctx.writeAndFlush(CIMConstant.FLEX_POLICY_RESPONSE);
return ;
}
CIMSession cimSession =new CIMSession(ctx.channel());
ReplyBody reply = new ReplyBody();
SentBody body = (SentBody)msg;
String key = body.getKey();
CIMRequestHandler handler = handlers.get(key);
if (handler == null) {
reply.setCode(CIMConstant.ReturnCode.CODE_405);
reply.setCode("KEY ["+key+"] 服务端未定义");
} else {
reply = handler.process(cimSession, body);
}
if(reply!=null)
{
reply.setKey(key);
cimSession.write(reply);
}
}
@Override
public void channelInactive(ChannelHandlerContext ctx) throws Exception {
CIMSession cimSession =new CIMSession(ctx.channel());
try{
logger.debug("channelInactive()... from "+cimSession.getRemoteAddress());
CIMRequestHandler handler = handlers.get(KEY_CLIENT_CIMSESSION_CLOSED);
if(handler!=null && cimSession.hasTag(CIMConstant.SESSION_KEY))
{
handler.process(cimSession, null);
}
}
catch(Exception e)
{
e.printStackTrace();
}
}
public void setHandlers(HashMap<String, CIMRequestHandler> handlers) {
this.handlers = handlers;
}
public void setPort(int port) {
this.port = port;
}
}

View File

@ -1,5 +1,5 @@
package com.farsunset.cim.nio.constant;
package com.farsunset.cim.server.constant;
import java.nio.charset.Charset;
@ -27,6 +27,11 @@ public interface CIMConstant {
}
//连接空闲时间
public static final int IDLE_TIME = 60;//
public static final int PING_TIME_OUT = 30;//心跳响应 超时为30秒
public static final Charset ENCODE_UTF8 = Charset.forName("UTF-8");
@ -41,7 +46,16 @@ public interface CIMConstant {
public static final String HEARTBEAT_KEY ="heartbeat";
/**
* 服务端心跳请求命令
*/
public static final String CMD_HEARTBEAT_REQUEST="cmd_server_hb_request";
/**
* 客户端心跳响应命令
*/
public static final String CMD_HEARTBEAT_RESPONSE ="cmd_client_hb_response";
public static final String HEARTBEAT_PINGED ="HEARTBEAT_PINGED";
/**
* FLEX 客户端socket请求发的安全策略请求需要特殊处理返回安全验证报文
@ -54,8 +68,8 @@ public interface CIMConstant {
/**
* 对应ichat spring-cim.xml > bean:mainIoHandler >handlers
* 服务端处理对应的handlers应该继承与com.farsunset.cim.nio.handle.AbstractHandler
* 对应cim-server spring-cim.xml > bean:mainIoHandler >handlers
* 服务端处理对应的handlers应该继承与com.farsunset.cim.nio.handle.CIMRequestHandler
* @author xiajun
*
*/

View File

@ -0,0 +1,99 @@
package com.farsunset.cim.server.filter;
import io.netty.buffer.ByteBuf;
import io.netty.channel.ChannelHandlerContext;
import io.netty.handler.codec.serialization.ClassResolver;
import io.netty.handler.codec.serialization.ObjectDecoder;
import java.io.ByteArrayInputStream;
import javax.xml.parsers.DocumentBuilder;
import javax.xml.parsers.DocumentBuilderFactory;
import org.apache.log4j.Logger;
import org.w3c.dom.Document;
import org.w3c.dom.Node;
import org.w3c.dom.NodeList;
import com.farsunset.cim.server.constant.CIMConstant;
import com.farsunset.cim.server.mutual.SentBody;
/**
* 服务端接收消息解码可在此解密消息
* @author 3979434@qq.com
*
*/
public class ServerMessageDecoder extends ObjectDecoder {
protected final Logger logger = Logger.getLogger(ServerMessageDecoder.class.getSimpleName());
public ServerMessageDecoder(ClassResolver classResolver) {
super(classResolver);
}
@Override
public Object decode(ChannelHandlerContext arg0, ByteBuf buffer) throws Exception {
int length = buffer.readableBytes();
/**
* CIMConstant.MESSAGE_SEPARATE 为消息界限
* 当一次收到多个消息时以此分隔解析多个消息
*/
if (buffer.isReadable()&&length > 0 && CIMConstant.MESSAGE_SEPARATE == buffer.getByte(length-1)) {
byte[] data = new byte[length-1];
buffer.readBytes(data);
String message = new String(new String(data,CIMConstant.ENCODE_UTF8));
logger.debug(message);
buffer.readByte();
SentBody body = parserMessageToSentBody(message);
data = null;
message = null;
return body;
}
/**
* CIMConstant.FLEX_DATA_SEPARATE 为FLEX客户端socket验证消息界限
*
*/
if (buffer.isReadable()&& length > 0 && CIMConstant.FLEX_DATA_SEPARATE == buffer.getByte(length-1)) {
byte[] data = new byte[length-1];
buffer.readBytes(data);
String message = new String(new String(data,CIMConstant.ENCODE_UTF8));
System.out.println("[ServerMessageDecoder]:"+message);
//将末尾的消息分隔符读取掉
buffer.readByte();
data = null;
return message;
}
return null;
}
private SentBody parserMessageToSentBody(String message) throws Exception
{
SentBody body = new SentBody();
if(message.equals(CIMConstant.CMD_HEARTBEAT_RESPONSE))//如果是心跳响应则让HeartbeatHandler去处理
{
body.setKey(CIMConstant.RequestKey.CLIENT_HEARTBEAT);
return body;
}
DocumentBuilderFactory factory = DocumentBuilderFactory.newInstance();
DocumentBuilder builder = factory.newDocumentBuilder();
Document doc = builder.parse(new ByteArrayInputStream(message.toString().getBytes(CIMConstant.ENCODE_UTF8)));
body.setKey(doc.getElementsByTagName("key").item(0).getTextContent());
NodeList dataNodeList = doc.getElementsByTagName("data");
if(dataNodeList!=null && dataNodeList.getLength()>0)
{
NodeList items = dataNodeList.item(0).getChildNodes();
for (int i = 0; i < items.getLength(); i++) {
Node node = items.item(i);
body.getData().put(node.getNodeName(), node.getTextContent());
}
}
return body;
}
}

View File

@ -0,0 +1,33 @@
package com.farsunset.cim.server.filter;
import org.apache.log4j.Logger;
import io.netty.buffer.ByteBuf;
import io.netty.channel.ChannelHandlerContext;
import io.netty.handler.codec.MessageToByteEncoder;
import com.farsunset.cim.server.constant.CIMConstant;
/**
* 服务端发送消息前编码可在此加密消息
* @author 3979434@qq.com
*
*/
public class ServerMessageEncoder extends MessageToByteEncoder<Object> {
protected final Logger logger = Logger.getLogger(ServerMessageEncoder.class.getSimpleName());
@Override
protected void encode(ChannelHandlerContext ctx, Object message, ByteBuf out) throws Exception {
out.writeBytes(message.toString().getBytes(CIMConstant.ENCODE_UTF8));
out.writeByte(CIMConstant.MESSAGE_SEPARATE);
logger.debug(message);
}
}

View File

@ -1,13 +1,13 @@
package com.farsunset.cim.nio.handler;
package com.farsunset.cim.server.handler;
/**
* 请求处理接口,所有的请求实现必须实现此接口
* @author 3979434@qq.com
*/
import com.farsunset.cim.nio.mutual.ReplyBody;
import com.farsunset.cim.nio.mutual.SentBody;
import com.farsunset.cim.nio.session.CIMSession;
import com.farsunset.cim.server.mutual.ReplyBody;
import com.farsunset.cim.server.mutual.SentBody;
import com.farsunset.cim.server.session.CIMSession;
public interface CIMRequestHandler {

View File

@ -0,0 +1,26 @@
package com.farsunset.cim.server.handler;
import com.farsunset.cim.server.constant.CIMConstant;
import com.farsunset.cim.server.mutual.ReplyBody;
import com.farsunset.cim.server.mutual.SentBody;
import com.farsunset.cim.server.session.CIMSession;
/**
*客户端心跳实现
*
* @author
*/
public class HeartbeatHandler implements CIMRequestHandler {
public ReplyBody process(CIMSession session, SentBody message) {
//收到心跳响应清除发送心跳请求标记
session.removeTag(CIMConstant.HEARTBEAT_PINGED);
return null;
}
}

View File

@ -1,4 +1,4 @@
package com.farsunset.cim.nio.mutual;
package com.farsunset.cim.server.mutual;
import java.io.Serializable;
/**
@ -152,7 +152,7 @@ public class Message implements Serializable {
buffer.append("<sender>").append(this.getSender()==null?"":this.getSender()).append("</sender>");
buffer.append("<receiver>").append(this.getReceiver()==null?"":this.getReceiver()).append("</receiver>");
buffer.append("<format>").append(this.getFormat()==null?"":this.getFormat()).append("</format>");
buffer.append("<timestamp>").append(timestamp).append("</timestamp>");
buffer.append("<timestamp>").append(String.valueOf(timestamp)).append("</timestamp>");
buffer.append("</message>");
return buffer.toString();
}

View File

@ -0,0 +1,122 @@
package com.farsunset.cim.server.mutual;
import java.io.Serializable;
import java.util.HashMap;
/**
* 请求应答对象
* @author 3979434@qq.com
*
*/
public class ReplyBody implements Serializable {
/**
* @author 3979434@qq.com
* 服务端返回消息对象
*/
private static final long serialVersionUID = 1L;
/**
* 请求key
*/
private String key;
/**
* 返回码
*/
private String code;
/**
* 返回说明
*/
private String message;
/**
* 返回数据集合
*/
private HashMap<String, String> data;
private long timestamp;
public ReplyBody()
{
data = new HashMap<String, String>();
timestamp = System.currentTimeMillis();
}
public long getTimestamp() {
return timestamp;
}
public void setTimestamp(long timestamp) {
this.timestamp = timestamp;
}
public String getKey() {
return key;
}
public void setKey(String key) {
this.key = key;
}
public void put(String k, String v) {
data.put(k, v);
}
public String get(String k) {
return data.get(k);
}
public void remove(String k) {
data.remove(k);
}
public String getMessage() {
return message;
}
public void setMessage(String message) {
this.message = message;
}
public HashMap<String, String> getData() {
return data;
}
public String getCode() {
return code;
}
public void setCode(String code) {
this.code = code;
}
public String toString()
{
StringBuffer buffer = new StringBuffer();
buffer.append("<?xml version=\"1.0\" encoding=\"UTF-8\"?>");
buffer.append("<reply>");
buffer.append("<key>").append(this.getKey()).append("</key>");
buffer.append("<timestamp>").append(String.valueOf(timestamp)).append("</timestamp>");
buffer.append("<code>").append(code).append("</code>");
buffer.append("<data>");
for(String key:this.getData().keySet())
{
buffer.append("<"+key+">").append(this.get(key)).append("</"+key+">");
}
buffer.append("</data>");
buffer.append("</reply>");
return buffer.toString();
}
public String toXmlString()
{
return toString();
}
}

View File

@ -1,4 +1,4 @@
package com.farsunset.cim.nio.mutual;
package com.farsunset.cim.server.mutual;
import java.io.Serializable;
import java.util.HashMap;
@ -64,7 +64,7 @@ public class SentBody implements Serializable {
buffer.append("<?xml version=\"1.0\" encoding=\"UTF-8\"?>");
buffer.append("<sent>");
buffer.append("<key>").append(key).append("</key>");
buffer.append("<timestamp>").append(timestamp).append("</timestamp>");
buffer.append("<timestamp>").append(String.valueOf(timestamp)).append("</timestamp>");
buffer.append("<data>");
for (String key : data.keySet()) {
buffer.append("<" + key + ">").append(data.get(key)).append(

View File

@ -1,15 +1,14 @@
package com.farsunset.cim.nio.session;
package com.farsunset.cim.server.session;
import io.netty.channel.Channel;
import io.netty.util.AttributeKey;
import java.io.Serializable;
import java.net.InetAddress;
import java.net.SocketAddress;
import java.net.UnknownHostException;
import java.util.HashMap;
import java.util.Map;
import org.jboss.netty.channel.Channel;
import com.farsunset.cim.nio.constant.CIMConstant;
import com.farsunset.cim.server.constant.CIMConstant;
/**
* IoSession包装类,集群时 将此对象存入表中
@ -29,26 +28,20 @@ public class CIMSession implements Serializable{
private Channel session;
private String gid;//session全局ID
private int nid;//session在本台服务器上的ID
private String nid;//session在本台服务器上的ID
private String deviceId;//客户端设备ID
private String host;//session绑定的服务器IP
private String account;//session绑定的账号
private String channel;//终端设备类型
private String deviceModel;//终端设备型号
private String appVersion;//客户端应用版本
private Long bindTime;//登录时间
private Long heartbeat;//心跳时间
public CIMSession(Channel session) {
this.session = session;
this.nid = session.getId();
if(session.getAttachment()==null)
{
HashMap<String,Object> params= new HashMap<String,Object>();
session.setAttachment(params);
}
this.nid = session.id().asLongText();
}
@ -61,14 +54,24 @@ public class CIMSession implements Serializable{
public void setAccount(String account) {
if(session!=null)
{
((Map<String,Object>)session.getAttachment()).put(CIMConstant.SESSION_KEY, account);
setTag(CIMConstant.SESSION_KEY, account);
}
this.account = account;
}
public void setTag(String key,Object value)
{
if(value!=null)
session.attr(AttributeKey.valueOf(key)).set(value.toString());
}
public String getTag(String key)
{
Object tag = session.attr(AttributeKey.valueOf(key)).get();
return tag!=null?tag.toString():null;
}
public String getGid() {
@ -79,11 +82,11 @@ public class CIMSession implements Serializable{
this.gid = gid;
}
public int getNid() {
public String getNid() {
return nid;
}
public void setNid(int nid) {
public void setNid(String nid) {
this.nid = nid;
}
@ -135,9 +138,9 @@ public class CIMSession implements Serializable{
public void setHeartbeat(Long heartbeat) {
this.heartbeat = heartbeat;
if(session!=null && session.getAttachment()!=null)
if(session!=null )
{
((Map<String,Object>)session.getAttachment()).put(CIMConstant.HEARTBEAT_KEY, heartbeat);
setTag(CIMConstant.HEARTBEAT_KEY, heartbeat.toString());
}
}
@ -146,45 +149,52 @@ public class CIMSession implements Serializable{
}
public void setAttribute(String key, Object value) {
if(session!=null)
((Map<String,Object>)session.getAttachment()).put(key, value);
public String getAppVersion() {
return appVersion;
}
public boolean containsAttribute(String key) {
public void setAppVersion(String appVersion) {
this.appVersion = appVersion;
}
public boolean hasTag(String key) {
if(session!=null)
return ((Map<String,Object>)session.getAttachment()).containsKey(key);
return session.hasAttr(AttributeKey.valueOf(key));
return false;
}
public Object getAttribute(String key) {
return ((Map<String,Object>)session.getAttachment()).get(key);
}
public void removeAttribute(String key) {
((Map<String,Object>)session.getAttachment()).remove(key);
public void removeTag(String key) {
session.attr(AttributeKey.valueOf(key)).remove();
}
public SocketAddress getRemoteAddress() {
if(session!=null)
return session.getRemoteAddress();
return session.remoteAddress();
return null;
}
public boolean write(Object msg) {
if(session!=null && session.isConnected())
if(session!=null && session.isActive())
{
return session.write(msg).awaitUninterruptibly(5000);
return session.writeAndFlush(msg).awaitUninterruptibly(5000);
}
return false;
}
public boolean isConnected() {
if(session!=null)
return session.isConnected();
return session.isActive();
return false;
}
@ -220,7 +230,7 @@ public class CIMSession implements Serializable{
{
return false;
}
if (t.session.getId() == session.getId()&& t.host.equals(host)) {
if (t.session.id().asLongText().equals(session.id().asLongText())&& t.host.equals(host)) {
return true;
}
return false;

View File

@ -1,11 +1,11 @@
package com.farsunset.cim.nio.session;
package com.farsunset.cim.server.session;
import java.util.Collection;
import java.util.HashMap;
import java.util.concurrent.atomic.AtomicInteger;
import com.farsunset.cim.nio.constant.CIMConstant;
import com.farsunset.cim.server.constant.CIMConstant;
/**
* 自带默认 session管理实现 各位可以自行实现 AbstractSessionManager接口来实现自己的 session管理
@ -28,7 +28,7 @@ public class DefaultSessionManager implements SessionManager{
public void addSession(String account,CIMSession session) {
if(session!=null)
{
session.setAttribute(CIMConstant.SESSION_KEY, account);
session.setTag(CIMConstant.SESSION_KEY, account);
sessions.put(account, session);
connectionsCounter.incrementAndGet();
}
@ -52,7 +52,7 @@ public class DefaultSessionManager implements SessionManager{
public void removeSession(CIMSession session) {
sessions.remove(session.getAttribute(CIMConstant.SESSION_KEY));
sessions.remove(session.getTag(CIMConstant.SESSION_KEY));
}
@ -65,13 +65,13 @@ public class DefaultSessionManager implements SessionManager{
public boolean containsCIMSession(CIMSession ios)
{
return sessions.containsKey(ios.getAttribute(CIMConstant.SESSION_KEY)) || sessions.containsValue(ios);
return sessions.containsKey(ios.getTag(CIMConstant.SESSION_KEY)) || sessions.containsValue(ios);
}
public String getAccount(CIMSession ios)
{
if(ios.getAttribute(CIMConstant.SESSION_KEY)==null)
if(ios.getTag(CIMConstant.SESSION_KEY)==null)
{
for(String key:sessions.keySet())
{
@ -82,7 +82,7 @@ public class DefaultSessionManager implements SessionManager{
}
}else
{
return ios.getAttribute(CIMConstant.SESSION_KEY).toString();
return ios.getTag(CIMConstant.SESSION_KEY).toString();
}
return null;

View File

@ -1,5 +1,5 @@
package com.farsunset.cim.nio.session;
package com.farsunset.cim.server.session;
import java.util.Collection;

View File

@ -6,6 +6,7 @@
<classpathentry kind="con" path="melibrary.com.genuitec.eclipse.j2eedt.core.MYECLIPSE_JAVAEE_5_CONTAINER"/>
<classpathentry kind="con" path="org.eclipse.jst.j2ee.internal.web.container"/>
<classpathentry kind="con" path="org.eclipse.jst.j2ee.internal.module.container"/>
<classpathentry combineaccessrules="false" kind="src" path="/cim-server-sdk"/>
<classpathentry kind="lib" path="WebRoot/WEB-INF/lib/Spring.aop-3.0.2.jar"/>
<classpathentry kind="lib" path="WebRoot/WEB-INF/lib/Spring.asm-3.0.2.RELEASE.jar"/>
<classpathentry kind="lib" path="WebRoot/WEB-INF/lib/Spring.beans-3.0.2.RELEASE.jar"/>
@ -19,7 +20,6 @@
<classpathentry kind="lib" path="WebRoot/WEB-INF/lib/antlr-2.7.6.jar"/>
<classpathentry kind="lib" path="WebRoot/WEB-INF/lib/asm.jar"/>
<classpathentry kind="lib" path="WebRoot/WEB-INF/lib/aspectjweaver.jar"/>
<classpathentry kind="lib" path="WebRoot/WEB-INF/lib/cim-core-1.6.jar"/>
<classpathentry kind="lib" path="WebRoot/WEB-INF/lib/commons-fileupload-1.2.1.jar"/>
<classpathentry kind="lib" path="WebRoot/WEB-INF/lib/commons-io-2.4.jar"/>
<classpathentry kind="lib" path="WebRoot/WEB-INF/lib/commons-lang3-3.1.jar"/>
@ -30,7 +30,7 @@
<classpathentry kind="lib" path="WebRoot/WEB-INF/lib/httpcore-4.3.2.jar"/>
<classpathentry kind="lib" path="WebRoot/WEB-INF/lib/jstl-1.2.jar"/>
<classpathentry kind="lib" path="WebRoot/WEB-INF/lib/log4j.jar"/>
<classpathentry kind="lib" path="WebRoot/WEB-INF/lib/netty-3.6.5.Final.jar"/>
<classpathentry kind="lib" path="WebRoot/WEB-INF/lib/netty-all-5.0.0.Alpha2.jar"/>
<classpathentry kind="lib" path="WebRoot/WEB-INF/lib/ognl-2.7.3.jar"/>
<classpathentry kind="lib" path="WebRoot/WEB-INF/lib/slf4j-api-1.7.5.jar"/>
<classpathentry kind="lib" path="WebRoot/WEB-INF/lib/slf4j-nop-1.7.5.jar"/>

View File

@ -1,11 +1,11 @@
<?xml version="1.0" encoding="UTF-8"?>
<project-module
type="WEB"
name="ichat-server"
name="cim-server"
id="myeclipse.1329027071311"
context-root="/ichat-server"
context-root="/cim-server"
j2ee-spec="5.0"
archive="ichat-server.war">
archive="cim-server.war">
<attributes>
<attribute name="webrootdir" value="WebRoot" />
</attributes>

View File

@ -1,6 +1,6 @@
<?xml version="1.0" encoding="UTF-8"?>
<projectDescription>
<name>ichat-server</name>
<name>cim-server</name>
<comment></comment>
<projects>
</projects>

View File

@ -1,4 +1,4 @@
log4j.rootLogger=warn,console, file
log4j.rootLogger=debug,console, file
#----------console----------------
log4j.appender.console=org.apache.log4j.ConsoleAppender

View File

@ -14,24 +14,24 @@
>
<bean id="mainIoHandler" class="com.farsunset.cim.nio.handler.MainIOHandler" init-method="init" >
<bean id="mainIoHandler" class="com.farsunset.cim.launcher.CIMNioSocketAcceptor" init-method="bind" >
<property name="port" value="23456" />
<property name="handlers">
<map>
<entry key="client_bind">
<bean class="com.farsunset.ichat.cim.handler.BindHandler" />
<bean class="com.farsunset.cim.handler.BindHandler" />
</entry>
<entry key="client_logout">
<bean class="com.farsunset.ichat.cim.handler.LogoutHandler" />
<bean class="com.farsunset.cim.handler.LogoutHandler" />
</entry>
<entry key="client_heartbeat">
<bean class="com.farsunset.cim.nio.handler.HeartbeatHandler"/>
<bean class="com.farsunset.cim.server.handler.HeartbeatHandler"/>
</entry>
<entry key="sessionClosedHander">
<bean class="com.farsunset.ichat.cim.handler.SessionClosedHandler"/>
<entry key="client_cimsession_closed">
<bean class="com.farsunset.cim.handler.SessionClosedHandler"/>
</entry>
<entry key="client_get_offline_message">
<bean class="com.farsunset.ichat.cim.handler.PushOfflineMessageHandler"/>
<bean class="com.farsunset.cim.handler.PushOfflineMessageHandler"/>
</entry>
</map>
</property>
@ -39,5 +39,5 @@
<!-- 这里可以自行实现com.farsunset.cim.nio.session.SessionManager接口实现自己的session管理器 -->
<bean id="defaultSessionManager" class="com.farsunset.cim.nio.session.DefaultSessionManager"/>
<bean id="defaultSessionManager" class="com.farsunset.cim.server.session.DefaultSessionManager"/>
</beans>

View File

@ -12,5 +12,5 @@
http://www.springframework.org/schema/aop/spring-aop-2.5.xsd
"
>
<bean id="contextHolder" class="com.farsunset.ichat.common.util.ContextHolder"/>
<bean id="contextHolder" class="com.farsunset.cim.util.ContextHolder"/>
</beans>

View File

@ -13,11 +13,11 @@
"
>
<bean id="messagePusher" class="com.farsunset.ichat.cim.push.DefaultMessagePusher">
<bean id="messagePusher" class="com.farsunset.cim.push.DefaultMessagePusher">
<property name="sessionManager" ref="defaultSessionManager"/>
</bean>
<bean id="systemMessagePusher" class="com.farsunset.ichat.cim.push.SystemMessagePusher">
<bean id="systemMessagePusher" class="com.farsunset.cim.push.SystemMessagePusher">
<property name="sessionManager" ref="defaultSessionManager"/>
</bean>
</beans>

View File

@ -10,12 +10,12 @@
<constant name="struts.multipart.saveDir" value="/tmp"/>
<constant name="struts.multipart.parser" value="jakarta"/>
<package name="admin" extends="struts-default" namespace="/admin">
<action name="session_*" class="com.farsunset.ichat.admin.action.SessionAction" method="{1}">
<action name="session_*" class="com.farsunset.cim.admin.action.SessionAction" method="{1}">
<result name="list" type="dispatcher">/console/session/manage.jsp</result>
</action>
</package>
<package name="cgi" extends="struts-default" namespace="/cgi">
<action name="message_*" class="com.farsunset.ichat.api.action.MessageAction" method="{1}"></action>
<action name="message_*" class="com.farsunset.cim.api.action.MessageAction" method="{1}"></action>
</package>
</struts>

View File

@ -1,6 +1,6 @@
<%@ page language="java" pageEncoding="utf-8"%>
<%@ page import="java.util.Collection"%>
<%@ page import="com.farsunset.cim.nio.session.CIMSession"%>
<%@ page import="com.farsunset.cim.server.session.CIMSession"%>
<%
String path = request.getContextPath();
String basePath = request.getScheme() + "://"
@ -56,7 +56,7 @@
function onImageError(obj)
{
obj.src="<%=basePath%>/webclient/images/icon_head_default.png";
obj.src="<%=basePath%>/resource/img/icon.png";
}
function openWebclient(){
@ -92,6 +92,7 @@
<th width="4%">头像</th>
<th width="15%">账号</th>
<th width="10%">终端</th>
<th width="10%">应用版本</th>
<th width="10%">设备型号</th>
<th width="10%">在线时长</th>
<th width="28%">位置</th>
@ -117,6 +118,9 @@
<td>
<%=ios.getChannel()%>
</td>
<td>
<%=ios.getAppVersion()==null?"":ios.getAppVersion()%>
</td>
<td>
<%=ios.getDeviceModel()==null?"":ios.getDeviceModel()%>
</td>
@ -124,7 +128,7 @@
<%=(System.currentTimeMillis()-ios.getBindTime())/1000 %>秒
</td>
<td>
<%=ios.getAttribute("location")==null?"":ios.getAttribute("location") %>
<%=ios.getTag("location")==null?"":ios.getTag("location") %>
</td>
<td>
<div class="btn-group btn-group-xs">

View File

@ -7,7 +7,9 @@
<span id="current_account" style="color: white;float: right;font-weight: bold;"></span>
</div>
<div style="text-align: center;padding: 10px;">
请调用接口,或者在后台页面,推送一条消息到客户端
</div>
<div class="panel-body" id="messageList">

Some files were not shown because too many files have changed in this diff Show More