使用Java Socket实现GPS定位数据处理

 更新时间:2024年07月12日 08:29:37   作者:肖哥弹架构  
在许多应用场景中,如车辆追踪、移动设备定位等,GPS定位数据的实时获取和处理至关重要,本文将介绍如何使用Java Socket编程来接收GPS设备发送的数据并进行处理,需要的朋友可以参考下

业务说明:

车辆追踪系统需要实时获取车辆的GPS定位信息。车辆上的GPS设备通过TCP连接发送其位置数据到服务器。

技术点:

  • Java Socket编程:使用Java的Socket API进行网络通信。
  • GPS定位数据:理解GPS数据格式,如NMEA 0183标准。
  • 多线程处理:为每个连接创建线程以异步接收数据。

项目结构:

gps-tracking-system/
|-- src/
|   |-- main/
|   |   |-- java/
|   |   |   `-- com/
|   |   |       `-- example/
|   |   |           |-- GpsServer.java
|   |   |           |-- GpsDataHandler.java
|   |   |           |-- GpsDataParser.java
|   |   |           |-- BusinessDataService.java
|   |   |           `-- RabbitMqProducer.java
|   |   `-- resources/
|   |       `-- application.properties
|   `-- test/
|       `-- java/
|           `-- com/
|               `-- example/
|                   `-- GpsServerTest.java
`-- pom.xml
  • GpsServer.java:服务器启动类。
  • GpsDataHandler.java:Netty通道处理器,用于处理接收到的GPS数据。
  • GpsDataParser.java:解析GPS数据的类。
  • BusinessDataService.java:业务数据处理服务,负责将解析后的数据发送到MQ。
  • RabbitMqProducer.java:RabbitMQ生产者实现。
  • application.properties:应用配置文件。
  • GpsServerTest.java:服务器的单元测试类。

Maven依赖:

pom.xml文件中,您需要添加以下依赖:

<dependencies>
    <!-- Netty -->
    <dependency>
        <groupId>io.netty</groupId>
        <artifactId>netty-all</artifactId>
        <version>4.1.68.Final</version>
    </dependency>
    
    <!-- SLF4J API -->
    <dependency>
        <groupId>org.slf4j</groupId>
        <artifactId>slf4j-api</artifactId>
        <version>1.7.30</version>
    </dependency>
    
    <!-- Logback Classic -->
    <dependency>
        <groupId>ch.qos.logback</groupId>
        <artifactId>logback-classic</artifactId>
        <version>1.2.3</version>
    </dependency>
    
    <!-- RabbitMQ Java Client -->
    <dependency>
        <groupId>com.rabbitmq</groupId>
        <artifactId>amqp-client</artifactId>
        <version>5.10.0</version>
    </dependency>
    
    <!-- JUnit for testing -->
    <dependency>
        <groupId>junit</groupId>
        <artifactId>junit</artifactId>
        <version>4.13.2</version>
        <scope>test</scope>
    </dependency>
</dependencies>

业务流程:

代码:

服务器启动类(GpsServer.java):

import io.netty.bootstrap.ServerBootstrap;
import io.netty.channel.ChannelInitializer;
import io.netty.channel.EventLoopGroup;
import io.netty.channel.nio.NioEventLoopGroup;
import io.netty.channel.socket.SocketChannel;
import io.netty.channel.socket.nio.NioServerSocketChannel;

import java.io.IOException;
import java.util.Properties;

public class GpsServer {

    private final int port;

    public GpsServer() throws IOException {
        Properties props = new Properties();
        props.load(getClass().getClassLoader().getResourceAsStream("application.properties"));
        this.port = Integer.parseInt(props.getProperty("gps.server.port"));
    }

    public void run() throws InterruptedException {
    
        MqProducer mqProducer = new RabbitMqProducer("mq-broker1:5672"); 
        BusinessDataService businessDataService = new BusinessDataService(mqProducer);
    
        EventLoopGroup bossGroup = new NioEventLoopGroup(1);
        EventLoopGroup workerGroup = new NioEventLoopGroup();

        try {
            ServerBootstrap b = new ServerBootstrap();
            b.group(bossGroup, workerGroup)
             .channel(NioServerSocketChannel.class)
             .childHandler(new ChannelInitializer<SocketChannel>() {
                 @Override
                 protected void initChannel(SocketChannel ch) {
                     ch.pipeline().addLast(new GpsDataHandler(businessDataService));
                 }
             });

            b.bind(port).sync().channel().closeFuture().await();
        } finally {
            bossGroup.shutdownGracefully();
            workerGroup.shutdownGracefully();
        }
    }

    public static void main(String[] args) throws Exception {
        new GpsServer().run();
    }
}

GPS数据处理通道(GpsDataHandler.java):

import io.netty.channel.ChannelHandlerContext;
import io.netty.channel.ChannelInboundHandlerAdapter;
import io.netty.buffer.ByteBuf;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;

public class GpsDataHandler extends ChannelInboundHandlerAdapter {

    private static final Logger logger = LoggerFactory.getLogger(GpsDataHandler.class);
    private final BusinessDataService businessDataService;

    public GpsDataHandler(BusinessDataService businessDataService) {
        this.businessDataService = businessDataService;
    }

    @Override
    public void channelRead(ChannelHandlerContext ctx, Object msg) {
        ByteBuf in = (ByteBuf) msg;
        try {
            byte[] data = new byte[in.readableBytes()];
            in.readBytes(data);
            String gpsData = new String(data, StandardCharsets.UTF_8);
            businessDataService.processBusinessData(gpsData);
        } catch (Exception e) {
            logger.error("Error processing GPS data", e);
        } finally {
            in.release();
            ctx.close(); // Close the connection after processing
        }
    }

    @Override
    public void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) {
        logger.error("Exception caught in GPS data handler", cause);
        ctx.close();
    }
}

业务数据服务(BusinessDataService.java):

import org.slf4j.Logger;
import org.slf4j.LoggerFactory;

public class BusinessDataService {

    private static final Logger logger = LoggerFactory.getLogger(BusinessDataService.class);
    // MQ客户端或生产者,具体实现根据所使用的MQ进行调整
    private final MqProducer mqProducer;

    public BusinessDataService(MqProducer mqProducer) {
        this.mqProducer = mqProducer;
    }

    public void processBusinessData(String gpsData) {
        try {
            BusinessGpsData businessData = GpsDataParser.parse(gpsData);
            if (businessData != null) {
                mqProducer.send(businessData);
                logger.info("Business GPS data sent to message queue: {}", businessData);
            }
        } catch (Exception e) {
            logger.error("Error processing business GPS data", e);
        }
    }
}

业务GPS数据解析器(GpsDataParser.java):

    import java.util.regex.Matcher;
    import java.util.regex.Pattern;

    public class GpsDataParser {

        // 假设GPS数据格式为: $GPGGA,xxx,xxx,xxx,xx,xx,xx,xx,xx,xx,xx,xx,xx,xx,xx,xx,xx,xx*
        private static final Pattern GPGGA_PATTERN = Pattern.compile("\\$GPGGA,\\d{2},\\d{2},(\\d{2}\\.\\d{7}),(\\d{3}),(\\d{2}\\.\\d{7}),([NS]),(\\d{3}\\.\\d{7}),([EW]),\\d{2}\\.\\d,\\d{2}\\.\\d,\\d{2},M,\\d{2},M,\\d{2},\\d{2}\\*[0-9A-F]{2}");

        /**
         * 例如,提取车辆ID、经纬度、时间戳等信息,并创建BusinessGpsData对象
         * 解析NMEA 0183标准的GPGGA语句
         * @param nmeaSentence GPS数据字符串
         * @return 解析后的BusinessGpsData对象
         */
         
        public static BusinessGpsData parse(String nmeaSentence) {
            Matcher matcher = GPGGA_PATTERN.matcher(nmeaSentence);
            if (matcher.find()) {
                double latitude = Double.parseDouble(matcher.group(1));
                String latHemisphere = matcher.group(3);
                double longitude = Double.parseDouble(matcher.group(4));
                String longHemisphere = matcher.group(6);

                // 转换经纬度为统一格式
                latitude = latHemisphere.equals("S") ? -latitude : latitude;
                longitude = longHemisphere.equals("W") ? -longitude : longitude;

                return new BusinessGpsData(
                        latitude,
                        longitude,
                        // 此处添加其他解析字段...
                        matcher.group(2) // 时间戳
                );
            }
            return null;
        }
    }
   // 定义业务GPS数据的字段,如车辆ID、经纬度、时间戳等
    class BusinessGpsData {
        private final double latitude;
        private final double longitude;
        // 其他业务字段...

        public BusinessGpsData(double latitude, double longitude, String timestamp) {
            this.latitude = latitude;
            this.longitude = longitude;
            // 初始化其他业务字段...
            this.timestamp = timestamp;
        }

        // Getters and Setters
    }

消息队列生产者接口(MqProducer.java):

public interface MqProducer {
    void send(BusinessGpsData businessData);
}

消息队列生产者实现(RabbitMqProducer.java):

import com.rabbitmq.client.*;

import java.io.IOException;
import java.util.concurrent.TimeoutException;

public class RabbitMqProducer implements MqProducer {

    private final String queueName;
    private final ConnectionFactory factory;
    private Connection connection;
    private Channel channel;

    public RabbitMqProducer(String host) {
        this.queueName = "gps_data_queue";
        this.factory = new ConnectionFactory();
        this.factory.setHost(host);
        try {
            this.connection = factory.newConnection();
            this.channel = connection.createChannel();
            this.channel.queueDeclare(queueName, true, false, false, null);
        } catch (IOException | TimeoutException e) {
            e.printStackTrace();
            // Handle exception
        }
    }

    @Override
    public void send(BusinessGpsData businessData) {
        String message = "BusinessGpsData [" +
                "latitude=" + businessData.getLatitude() +
                ", longitude=" + businessData.getLongitude() +
                // 其他字段...
                ", timestamp=" + businessData.getTimestamp() +
                "]";
        try {
            channel.basicPublish("", queueName, null, message.getBytes());
        } catch (IOException e) {
            e.printStackTrace();
            // Handle exception
        }
    }

    // Ensure resources are cleaned up
    public void close() {
        if (channel != null) {
            try {
                channel.close();
            } catch (Exception e) {
                e.printStackTrace();
            }
        }
        if (connection != null) {
            try {
                connection.close();
            } catch (Exception e) {
                e.printStackTrace();
            }
        }
    }
}

配置文件(resources/application.properties):

gps.server.port=6789
mq.broker.list=mq-broker1:5672

结论:

使用Java Socket编程实现GPS定位数据的接收与处理是一个强大且灵活的解决方案。通过创建一个监听特定端口的服务器,可以接收来自GPS设备的实时数据流。每个连接都在单独的线程中处理,确保了应用程序能够响应多个设备。解析GPS数据后,可以执行各种业务逻辑,如更新车辆位置、计算路线等。这种方法适用于需要实时位置跟踪和数据处理的多种应用场景。

以上就是使用Java Socket实现GPS定位数据处理的详细内容,更多关于Java Socket实现GPS定位的资料请关注脚本之家其它相关文章!

相关文章

  • Java多线程产生死锁的必要条件

    Java多线程产生死锁的必要条件

    今天小编就为大家分享一篇关于Java多线程产生死锁的必要条件,小编觉得内容挺不错的,现在分享给大家,具有很好的参考价值,需要的朋友一起跟随小编来看看吧
    2019-01-01
  • Springboot整合redis实现发布订阅功能介绍步骤

    Springboot整合redis实现发布订阅功能介绍步骤

    发布订阅作为一种设计思想在很多开源组件中都有体现,比如大家熟知的消息中间件等,可谓把发布订阅这一思想体现的淋漓尽致了
    2022-09-09
  • Java多线程下的其他组件之CyclicBarrier、Callable、Future和FutureTask详解

    Java多线程下的其他组件之CyclicBarrier、Callable、Future和FutureTask详解

    这篇文章主要介绍了Java多线程下的其他组件之CyclicBarrier、Callable、Future和FutureTask详解,文中通过示例代码介绍的非常详细,对大家的学习或者工作具有一定的参考学习价值,需要的朋友们下面随着小编来一起学习学习吧
    2020-07-07
  • Java中的HashMap源码详解

    Java中的HashMap源码详解

    这篇文章主要介绍了Java中的HashMap源码详解,当我们确切知道HashMap将要处理的数据量为n时,推荐调用构造函数public HashMap(int initialCapacity)来创建 HashMap,这样就不会发生扩容,需要的朋友可以参考下
    2023-09-09
  • Springboot如何获取配置文件application.yml中自定义的变量并使用

    Springboot如何获取配置文件application.yml中自定义的变量并使用

    这篇文章主要介绍了Springboot中获取配置文件(application.yml)中自定义的变量并使用,本文给大家介绍的非常详细,对大家的学习或工作具有一定的参考借鉴价值,需要的朋友可以参考下
    2021-09-09
  • 在同一个类中调用带有@Transactional注解的方法示例

    在同一个类中调用带有@Transactional注解的方法示例

    这篇文章主要为大家介绍了在同一个类中调用带有@Transactional注解的方法示例详解,有需要的朋友可以借鉴参考下,希望能够有所帮助,祝大家多多进步,早日升职加薪
    2023-04-04
  • JAVA读取PDF、WORD文档实例代码

    JAVA读取PDF、WORD文档实例代码

    本篇文章主要通过实例代码介绍了JAVA读取PDF、WORD文档,需要的朋友可以参考下
    2017-04-04
  • Java虚拟机JVM类加载机制(从类文件到虚拟机)

    Java虚拟机JVM类加载机制(从类文件到虚拟机)

    所谓的类加载机制就是虚拟机将class文件加载到内存,并对数据进行验证,转换解析和初始化,形成虚拟机可以直接使用的java类型,本文给大家介绍类加载机制过程从类文件到虚拟机的详细说明,感兴趣的朋友跟随小编一起看看吧
    2021-06-06
  • Spring Boot自定义favicon实现方法实例解析

    Spring Boot自定义favicon实现方法实例解析

    这篇文章主要介绍了Spring Boot自定义favicon实现方法实例解析,文中通过示例代码介绍的非常详细,对大家的学习或者工作具有一定的参考学习价值,需要的朋友可以参考下
    2020-08-08
  • java自定义线程模型处理方法分享

    java自定义线程模型处理方法分享

    本文给大家总结分享了下个人关于java处理自定义线程模型的一些经验和处理方法,有需要的小伙伴可以参考下
    2016-08-08

最新评论