4

まず、この簡単な質問を投稿して申し訳ありません。特定の数の幾何学的属性(面積、周長、丸み、長軸と短軸など)を計算する必要があります。GDAL / OGRを使用して、ポリゴンのシェープファイル形式を読み取ります。私が聞きたいのは:

  1. osgeo.ogr.Geometryを使用して周囲長を計算する方法はありますか?
  2. ポリゴンのメトリックを計算するためのモジュールビルドはありますか?

前もって感謝します

    import osgeo.gdal, ogr
    poly="C:\\\myshape.shp"
    shp = osgeo.ogr.Open(poly)
    layer = shp.GetLayer()
    # For every polygon
    for index in xrange(len(allFID)):
        feature = layer.GetFeature(index)
        # get "FID" (Feature ID)
        FID = str(feature.GetFID())
        geometry = feature.GetGeometryRef()
        # get the area
        Area = geometry.GetArea()
4

3 に答える 3

3

私はこれに遅れるかもしれませんが、同じ質問に対する解決策を探していましたが、たまたまこれに遭遇しました。ジオメトリの境界を見つけてから、境界の長さを見つけるだけで問題を解決しました。以下のサンプル Python コード:

perimeter = feat.GetGeometryRef().Boundary().Length()
于 2013-09-13T16:15:09.963 に答える
3
        ref_geometry = ref_feature.GetGeometryRef()
        pts = ref_geometry.GetGeometryRef(0)
        points = []
        for p in xrange(pts.GetPointCount()):
            points.append((pts.GetX(p), pts.GetY(p)))

def edges_index(points):
    """
    compute edges index for a given 2D point set

    1- The number of edges which form the polygon
    2- Perimeter
    3- The length of the longest edge in a polygon
    4- The length of the shortest edge in a polygon
    5- The average length of all of edges in a polygon
    6- The lengths of edges deviate from their mean value
    """
    Nedges = len(points)-1
    length = []
    for i in xrange(Nedges):
        ax, ay = points[i]
        bx, by = points[i+1]
        length.append(math.hypot(bx-ax, by-ay))
    edges_perimeter = numpy.sum(length)
    edges_max = numpy.amax(length)
    edges_min = numpy.amin(length)
    edges_average = numpy.average(length)
    edges_std = numpy.std(length)
    return (Nedges,edges_perimeter,edges_max,edges_min,edges_average,edges_std)
于 2013-02-25T15:28:50.833 に答える
2
poly = [(0,10),(10,10),(10,0),(0,0)]


def segments(poly):
        """A sequence of (x,y) numeric coordinates pairs """
        return zip(poly, poly[1:] + [poly[0]])

def area(poly):
    """A sequence of (x,y) numeric coordinates pairs """
    return 0.5 * abs(sum(x0*y1 - x1*y0
        for ((x0, y0), (x1, y1)) in segments(poly)))

def perimeter(poly):
    """A sequence of (x,y) numeric coordinates pairs """
    return abs(sum(math.hypot(x0-x1,y0-y1) for ((x0, y0), (x1, y1)) in segments(poly)))
于 2013-02-27T16:32:08.883 に答える