我正在尝试将休眠空间与JPA集成到地理搜索中。我一直在官方网站上引用tutorial(我与hibernatespatial没有关联)。

不幸的是,本教程没有介绍如何从纬度/经度对创建Point实例。我正在尝试在这里执行此操作,但是我仍然不确定这是否是将纬度/经度对转换为JTS Point实例的正确方法:

import com.vividsolutions.jts.geom.Coordinate;
import com.vividsolutions.jts.geom.GeometryFactory;
import com.vividsolutions.jts.geom.Point;
import org.geotools.geometry.jts.JTSFactoryFinder;
import org.hibernate.annotations.Type;
import javax.persistence.*;

@Entity
public class Location {

    private Double latitude;

    private Double longitude;

    @Type(type = "org.hibernatespatial.GeometryUserType")
    private Point coordinates;

    private final GeometryFactory geometryFactory = JTSFactoryFinder.getGeometryFactory(null);

    @PrePersist
    @PreUpdate
    public void updateCoordinate() {
        if (this.latitude == null || this.longitude == null) {
            this.coordinates = null;
        } else {
            this.coordinates = geometryFactory.createPoint(new Coordinate(latitude, longitude));
        }
    }

    public Double getLatitude() {
        return latitude;
    }

    public void setLatitude(Double latitude) {
        this.latitude = latitude;
    }

    public Double getLongitude() {
        return longitude;
    }

    public void setLongitude(Double longitude) {
        this.longitude = longitude;
    }
}

最佳答案

JTS不在乎您的点的单位或坐标系是什么。

但是,it does assume that the coordinates are on a Cartesian plane,因此某些几何运算(例如距离计算)在长距离上可能不准确。 (他们尚不支持大地测量。)

对于简单的存储用途来说应该没问题。

但是,需要注意的重要一点是,经度是X值,纬度是Y值。因此我们说“纬度/经度”,但是JTS会期望它以“经度/纬度”的顺序排列。所以你应该使用geometryFactory.createPoint(new Coordinate(longitude, latitude))

08-05 06:48