PythonでGeoJSONを生成する


16

シェープファイルのポリゴンを使用してGeoJSONファイルをプログラムで作成しますが、独自のアプリケーションから属性を追加します。

これは、シェープファイルに対して簡単に実行できます。

def create_data_dayer(self,varlist, data):
    """
    Creates a new shape to contain data about nodes.
    varlist is the list of fields names associated with
    the nodes.
    data is a list of lists whose first element is the geocode
    and the remaining elements are values of the fields, in the
    same order as they appear in varlist.
    """
    if os.path.exists(os.path.join(self.outdir,'Data.shp')):
        os.remove(os.path.join(self.outdir,'Data.shp'))
        os.remove(os.path.join(self.outdir,'Data.shx'))
        os.remove(os.path.join(self.outdir,'Data.dbf'))
    # Creates a new shape file to hold the data
    if not self.datasource:
        dsd = self.driver.CreateDataSource(os.path.join(self.outdir,'Data.shp'))
        self.datasource = dsd
        dl = dsd.CreateLayer("sim_results",geom_type=ogr.wkbPolygon)
    #Create the fields
    fi1 = ogr.FieldDefn("geocode",field_type=ogr.OFTInteger)
    dl.CreateField(fi1)
    for v in varlist:
        #print "creating data fields"
        fi = ogr.FieldDefn(v,field_type=ogr.OFTString)
        fi.SetPrecision(12)
        dl.CreateField(fi)

    #Add the features (points)
    for n,l in enumerate(data):
        #Iterate over the lines of the data matrix.
        gc = l[0]
        try:
            geom = self.geomdict[gc]
            if geom.GetGeometryType() != 3: continue
            #print geom.GetGeometryCount()
            fe = ogr.Feature(dl.GetLayerDefn())
            fe.SetField('geocode',gc)
            for v,d in zip (varlist,l[1:]):
                #print v,d
                fe.SetField(v,str(d))
            #Add the geometry
            #print "cloning geometry"
            clone = geom.Clone()
            #print geom
            #print "setting geometry"
            fe.SetGeometry(clone)
            #print "creating geom"
            dl.CreateFeature(fe)
        except: #Geocode not in polygon dictionary
            pass
        dl.SyncToDisk()

ジオコード(self.geomdict)によってディクショナリにすべてのジオメトリがあるため、フィーチャを作成し、フィールドを設定して、既存のレイヤーからジオメトリを複製します(そのレイヤーをロードするコードは簡略化のため省略しています)。今必要なのは、フィールドとジオメトリの組み合わせからGeoJSONを生成する方法です。当然、OGRを使用して残りのファイルを正しく取得します(CRSなど、ソースマップから)。

上記のように生成された機能コレクションをどのようにエクスポートしますか?

回答:


14

幸いなことに、OGRには両方がogr.Featureあり、ogr.GeometryオブジェクトにはExportToJson()メソッドがあります。あなたのコードで;

fe.ExportToJson()

geojson FeatureCollectionオブジェクトは、typeof FeatureCollectionfeaturesFeatureオブジェクトのリストを含むオブジェクトを備えた単なる辞書であるためです。

feature_collection = {"type": "FeatureCollection",
                      "features": []
                      }

feature_collection["features"].append(fe.ExportToJson())

機能コレクションのCRSオブジェクトは、次の2つのタイプのいずれかです。

  • 名前付きCRS(OGC URNまたはEPSGコードなど)
  • URIおよび「proj4」などのタイプを持つリンクオブジェクト

データ形式によっては、名前がOGRから取得するのが面倒になる可能性が非常に高くなります。代わりに、URIで参照できるディスク上のファイルにプロジェクションを書き込む場合。レイヤーオブジェクト(いくつかのエクスポート関数があります)から投影を取得できます

spatial_reference = dl.GetSpatialRef()

with open("data.crs", "wb") as f:
    f.write(spatial_reference.ExportToProj4())

feature_collection["crs"] = {"type": "link",
                             "properties": {
                                 "href": "data.crs",
                                 "type": "proj4"
                                 }
                             }

これは、@ sgillies
fccoelho

私はこのソリューションでテストを終了し、うまく機能しました。ただし、機能でフィールド名にユニコード文字が含まれている場合、ogr.pyはそれらを適切に処理しなかったため、手動で処理する必要がありました。
fccoelho

それ以降機能が変更されたかどうかはわかりませんfe.ExportToJson()が、文字列を返すため、でラップする必要がありますjson.loads(...)。それ以外の場合、これは非常に便利です!
jon_two

35

GDAL / OGR開発環境(ヘッダー、ライブラリ)がある場合、Fionaを使用してコードを根本的に簡素化できます。シェープファイルからフィーチャを読み取り、新しい属性を追加し、GeoJSONはほんの一握りの行であるため、それらを書き出します。

import fiona
import json

features = []
crs = None
with fiona.collection("docs/data/test_uk.shp", "r") as source:
    for feat in source:
        feat['properties'].update(...) # with your attributes
        features.append(feat)
    crs = " ".join("+%s=%s" % (k,v) for k,v in source.crs.items())

my_layer = {
    "type": "FeatureCollection",
    "features": features,
    "crs": {
        "type": "link", 
        "properties": {"href": "my_layer.crs", "type": "proj4"} }}

with open("my_layer.json", "w") as f:
    f.write(json.dumps(my_layer))
with open("my_layer.crs", "w") as f:
    f.write(crs)

4
フィオナのドキュメントはキラーです!
チャドクーパー

1
できれば複数回投票します!
om_henners

2
GeoJSONにcrs定義を含める方法はありませんか?
fccoelho

2

これは、フィオナで最もシンプルで簡単なものです。出力GeoJSONのSRSを設定できます。

import fiona
from fiona.crs import from_epsg

source= fiona.open('shp/second_shp.shp', 'r', encoding = 'utf-8')

with fiona.open('tool_shp_geojson/geojson_fiona.json','w',  driver ="GeoJSON", schema=source.schema, encoding = 'utf-8', crs=fiona.crs.from_epsg(4326)) as geojson:
     geojson.write(feat)
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.