当前位置:   article > 正文

如何通过Java实现485通信

java实现485通信

1、整体架构的选择

首先根据需求,我这边使用的是springboot+netty的架构,使用了一个串口转网口的转换模块。为什么这么使用?部署的时候使用的是Linux的系统,在Linux下安装驱动比较麻烦,所以网口可以节省大量的服务器配置时间。为什么使用netty?不少使用过netty的人都知道,netty是一个异步非阻塞的框架,具体优势可以自己去查看一下,是一个功能非常强大的框架。转换模块使用的是有人的模块,淘宝上购买就行,也使用过其他厂家的模块,例如亿佰特,使用起来就没有人的好用,有人的模块还是相当做的成熟的。

2、什么是modbus

提到485通信,大家就会想到modbus协议,Modbus 协议是应用于电子控制器上的一种通用语言。此处不过多讲解,这里我们使用的是modbus-rtu协议,这块后面会单独写一篇。

3、代码解析

对这个架构有了一定的了解之后,我们就可以开始上代码了,首先我们要定义好服务端和客户端,如果我们这边的程序设置为服务端,模块就要设置为客户端,这个最后实现的效果是一样的,我本人更倾向于把程序这边设置为服务端。

3.1服务端监听

监听程序会监听客户端连接

  1. import com.nari.sea.serialport.config.ServerChannelInitializer;
  2. import io.netty.bootstrap.ServerBootstrap;
  3. import io.netty.channel.*;
  4. import io.netty.channel.nio.NioEventLoopGroup;
  5. import io.netty.channel.socket.nio.NioServerSocketChannel;
  6. import io.netty.handler.logging.LogLevel;
  7. import io.netty.handler.logging.LoggingHandler;
  8. import org.apache.log4j.Logger;
  9. import org.springframework.stereotype.Component;
  10. import java.net.InetSocketAddress;
  11. @Component
  12. public class NettyServer {
  13. private static final Logger logger = Logger.getLogger(NettyServer.class);
  14. public void start(InetSocketAddress address) {
  15. EventLoopGroup bossGroup = new NioEventLoopGroup();
  16. EventLoopGroup workerGroup = new NioEventLoopGroup(4);
  17. try {
  18. ServerBootstrap bootstrap = new ServerBootstrap()
  19. .group(bossGroup,workerGroup)
  20. .channel(NioServerSocketChannel.class)
  21. .localAddress(address)
  22. .handler(new LoggingHandler(LogLevel.INFO))
  23. .childHandler(new ServerChannelInitializer())
  24. .option(ChannelOption.SO_BACKLOG, 128)
  25. //开启长连接
  26. .childOption(ChannelOption.SO_KEEPALIVE, true);
  27. // 绑定端口,开始接收进来的连接
  28. ChannelFuture future = bootstrap.bind(address).sync();
  29. logger.info("Server start listen at " + address.getPort());
  30. future.channel().closeFuture().sync();
  31. } catch (Exception e) {
  32. e.printStackTrace();
  33. bossGroup.shutdownGracefully();
  34. workerGroup.shutdownGracefully();
  35. }
  36. }
  37. }

3.2netty心跳机制

这个里面的都是可自行根据需求配置的,netty默认的判断客户端离线是两个小时,通过下面的代码我们可以设置为几秒、几分钟,下面四个参数分别是读、写、全、时间类型。

channel.pipeline().addLast(new IdleStateHandler(1, 0, 0, TimeUnit.MINUTES));
  1. import io.netty.channel.ChannelInitializer;
  2. import io.netty.channel.socket.SocketChannel;
  3. import io.netty.handler.codec.LengthFieldBasedFrameDecoder;
  4. import io.netty.handler.codec.string.StringDecoder;
  5. import io.netty.handler.codec.string.StringEncoder;
  6. import io.netty.handler.timeout.IdleStateHandler;
  7. import io.netty.util.CharsetUtil;
  8. import java.util.concurrent.TimeUnit;
  9. public class ServerChannelInitializer extends ChannelInitializer<SocketChannel> {
  10. @Override
  11. protected void initChannel(SocketChannel channel) throws Exception {
  12. channel.pipeline().addLast("decoder",new StringDecoder(CharsetUtil.ISO_8859_1));
  13. channel.pipeline().addLast("encoder",new StringEncoder(CharsetUtil.ISO_8859_1));
  14. //设置n分钟判断离线
  15. channel.pipeline().addLast(new IdleStateHandler(1, 0, 0, TimeUnit.MINUTES));
  16. //粘包长度控制
  17. channel.pipeline().addLast(new LengthFieldBasedFrameDecoder(Integer.MAX_VALUE,0,4));
  18. channel.pipeline().addLast(new ServerHandler());
  19. }
  20. }

3.3具体实现

  1. import io.netty.buffer.ByteBuf;
  2. import io.netty.buffer.Unpooled;
  3. import io.netty.channel.ChannelHandlerContext;
  4. import io.netty.channel.ChannelInboundHandlerAdapter;
  5. import io.netty.channel.DefaultEventLoopGroup;
  6. import io.netty.handler.timeout.IdleState;
  7. import io.netty.handler.timeout.IdleStateEvent;
  8. import io.netty.util.CharsetUtil;
  9. import java.util.List;
  10. public class ServerHandler extends ChannelInboundHandlerAdapter {
  11. //超时连接
  12. private int lossConnectCount = 0;
  13. @Override
  14. public void channelActive(ChannelHandlerContext ctx) {
  15. System.out.println("channelActive----->");
  16. }
  17. @Override
  18. public void userEventTriggered(ChannelHandlerContext ctx, Object evt) throws Exception {
  19. if (evt instanceof IdleStateEvent){
  20. IdleStateEvent event = (IdleStateEvent)evt;
  21. //只判断读
  22. if (event.state()== IdleState.READER_IDLE){
  23. lossConnectCount++;
  24. if (lossConnectCount>5){
  25. System.out.println("关闭不活跃通道!");
  26. ctx.channel().close();
  27. }
  28. System.out.println("已经"+lossConnectCount+"分钟未收到客户端的消息了!");
  29. }
  30. }else {
  31. super.userEventTriggered(ctx,evt);
  32. }
  33. }
  34. @Override
  35. public void handlerRemoved(ChannelHandlerContext ctx) throws Exception{
  36. //客户端退出连接
  37. }
  38. @Override
  39. public void channelRead(ChannelHandlerContext ctx, Object msg) throws Exception {
  40. lossConnectCount = 0;
  41. System.out.println("server channelRead......");
  42. String m= (String) msg;
  43. //判断通信
  44. ByteBuf buf = Unpooled.copiedBuffer(m, CharsetUtil.ISO_8859_1);
  45. byte [] bytes = new byte[buf.readableBytes()];
  46. buf.readBytes(bytes);//复制内容到字节数组bytes
  47. String returnData = bytes2HexString(bytes); //将byte数组转为16进制字符串
  48. System.out.println(ctx.channel().remoteAddress()+"----->Server :"+ returnData);
  49. if(returnData != null && !"".equals(returnData)){
  50. if(HexUtil.checkData(returnData)){
  51. //具体的逻辑代码
  52. }
  53. }
  54. //将客户端的信息直接返回写入ctx
  55. //刷新缓存区
  56. }
  57. private String bytes2HexString(byte[] b) {
  58. StringBuffer result = new StringBuffer();
  59. String hex;
  60. for (int i = 0; i < b.length; i++) {
  61. hex = Integer.toHexString(b[i] & 0xFF);
  62. if (hex.length() == 1) {
  63. hex = '0' + hex;
  64. }
  65. result.append(hex.toUpperCase());
  66. }
  67. return result.toString();
  68. }
  69. private String hexString2String(String hex, String charset) {
  70. byte[] bs = new byte[hex.length()/2];
  71. for(int i=0; i<bs.length; i++) {
  72. bs[i] = (byte)(0xff&Integer.parseInt(hex.substring(i*2,i*2+2),16));
  73. }
  74. try{
  75. hex = new String(bs, charset);
  76. }catch(Exception e) {
  77. e.printStackTrace();
  78. }
  79. return hex;
  80. }
  81. @Override
  82. public void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) throws Exception {
  83. cause.printStackTrace();
  84. ctx.close();
  85. }
  86. }

3.4如何在netty中引入service

逻辑实现代码中,我们难免要引入一些service,这时候我们就需要在实现代码中这样操作了

  1. @Component
  2. public class SerialPortDealData {
  3. @Autowired
  4. private ModeManService modeManService;
  5. //声明对象
  6. private static SerialPortDealData serialPortDealData;
  7. // 初始化
  8. @PostConstruct
  9. public void init() {
  10. serialPortDealData = this;
  11. serialPortDealData.modeManService = this.modeManService;
  12. }
  13. //逻辑代码
  14. }

3.5如何启动netty

netty在springboot中的启动有很多,这里介绍其中一种

  1. import org.mybatis.spring.annotation.MapperScan;
  2. import org.springframework.beans.factory.annotation.Autowired;
  3. import org.springframework.beans.factory.annotation.Value;
  4. import org.springframework.boot.CommandLineRunner;
  5. import org.springframework.boot.SpringApplication;
  6. import org.springframework.boot.autoconfigure.SpringBootApplication;
  7. import org.springframework.boot.builder.SpringApplicationBuilder;
  8. import org.springframework.boot.web.servlet.ServletComponentScan;
  9. import org.springframework.boot.web.servlet.support.SpringBootServletInitializer;
  10. import org.springframework.context.ApplicationContext;
  11. import org.springframework.context.annotation.ComponentScan;
  12. import org.springframework.scheduling.annotation.EnableAsync;
  13. import org.springframework.scheduling.annotation.EnableScheduling;
  14. import java.net.InetSocketAddress;
  15. @EnableScheduling
  16. @SpringBootApplication
  17. @ServletComponentScan//防止 @WebListener 无效
  18. @MapperScan(basePackages ={""})
  19. @ComponentScan(basePackages = {""})
  20. @EnableAsync//注意这里,这个注解启用了线程池
  21. public class SeaApplication extends SpringBootServletInitializer implements CommandLineRunner{
  22. @Value("${netty.port}")
  23. private int port;
  24. @Value("${netty.url}")
  25. private String url;
  26. @Autowired
  27. private NettyServer server;
  28. public static void main(String[] args) {
  29. SpringApplication.run(SeaApplication.class, args);
  30. }
  31. @Override
  32. protected SpringApplicationBuilder configure(SpringApplicationBuilder builder) {
  33. return builder.sources(SeaApplication.class);
  34. }
  35. @Override
  36. public void run(String... args) throws Exception {
  37. InetSocketAddress address = new InetSocketAddress(url,port);
  38. System.out.println("run .... . ... "+url);
  39. server.start(address);
  40. }
  41. }

applicaion.yml配置文件

  1. netty:
  2. port: 5001
  3. url: 127.0.0.1

4.致谢

到这里关于实现485通信的一种方法已经介绍完了,感谢你的阅读,有什么不足的地方请指导一下。最后说一下一些模拟工具,modbus poll-对应modbus slave,modbus scan,网络调试工具NetAssist.exe,串口调试工具等等

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/盐析白兔/article/detail/289685
推荐阅读
相关标签
  

闽ICP备14008679号