14

我是 Hibernate Spatial 的新手,正在尝试对给定半径内的对象执行简单查询。我使用来自谷歌地图和其他来源的数据在我的数据库中创建了许多条目,这些条目具有对应于纬度和经度的属性。此属性在我的 Entity 类中定义如下:

@Column
@Type(type = "org.hibernate.spatial.GeometryType")
private Point coordinates = null;

我现在正试图弄清楚如何搜索所有实体对象,这些实体对象的坐标落在距离给定点x公里半径内。例如,我想查找位于该点 (12.34567, -76.54321) 半径 50 公里范围内的对象。但是,我找不到任何可以解释如何在 Hibernate Spatial 中执行此操作的示例或教程。

谁能给我任何关于如何构建这样的查询的信息?

4

1 回答 1

16

这个资源有关“空间查询”的教程,这是一种特殊的方言和JTS 库(开源)。

基本上,您执行以下操作(从引用的页面复制/粘贴):

import com.vividsolutions.jts.geom.Geometry;
import com.vividsolutions.jts.geom.Point;
import com.vividsolutions.jts.io.ParseException;
import com.vividsolutions.jts.io.WKTReader;
import util.JPAUtil;

import javax.persistence.EntityManager;
import javax.persistence.Query;
import java.util.Date;
import java.util.List;

…………

private List find(String wktFilter) {
    Geometry filter = wktToGeometry(wktFilter);
    EntityManager em = JPAUtil.createEntityManager();
    em.getTransaction().begin();
    Query query = em.createQuery("select e from Event e where within(e.location, :filter) = true", Event.class);
    query.setParameter("filter", filter);
    return query.getResultList();
}

private Geometry wktToGeometry(String wktPoint) {
    WKTReader fromText = new WKTReader();
    Geometry geom = null;
    try {
        geom = fromText.read(wktPoint);
    } catch (ParseException e) {
        throw new RuntimeException("Not a WKT string:" + wktPoint);
    }
    return geom;
}

要生成圆,请参阅此资源(搜索“弧、圆和曲线”)。再次从那里复制/粘贴:

//this method replaces the above wktToGeometry() method
private static Geometry createCircle(double x, double y, final double RADIUS) {
  GeometricShapeFactory shapeFactory = new GeometricShapeFactory();
  shapeFactory.setNumPoints(32);
  shapeFactory.setCentre(new Coordinate(x, y));//there are your coordinates
  shapeFactory.setSize(RADIUS * 2);//this is how you set the radius
  return shapeFactory.createCircle();
}

此外,您总是有解决方法,在其中添加一些附加字段(映射为insertable=false, updatable=false)以映射到 使用的相同列org.hibernate.spatial.GeometryType,然后在查询中使用它们。要计算距离,请检查欧几里得距离公式

于 2013-11-21T22:05:05.443 回答