シェープファイルを作成し、すべてのフィーチャの頂点が一定量シフトしているとしましょう。任意のシフトですべてのフィーチャをシフトする最も簡単な方法は何ですか(したがって、頂点の(x、y)位置)?この修正を適用するファイルがたくさんあるので、Bash / OGRの回答が望ましいでしょう:)
最後に、いい機能があるので、私はこのためにSpatialiteを使用することになりましたShiftCoords
。しかし、スレッドは非常に有益でした!皆さんありがとう!
シェープファイルを作成し、すべてのフィーチャの頂点が一定量シフトしているとしましょう。任意のシフトですべてのフィーチャをシフトする最も簡単な方法は何ですか(したがって、頂点の(x、y)位置)?この修正を適用するファイルがたくさんあるので、Bash / OGRの回答が望ましいでしょう:)
最後に、いい機能があるので、私はこのためにSpatialiteを使用することになりましたShiftCoords
。しかし、スレッドは非常に有益でした!皆さんありがとう!
回答:
JEQLの使用これは、次の3行で実行できます。
ShapefileReader t file: "shapefile.shp";
out = select * except (GEOMETRY), Geom.translate(GEOMETRY,100,100) from t;
ShapefileWriter out file: "ahapefile_shift.shp";
この種の処理を簡単にするために、Fiona(OGRラッパー)を設計しました。
from fiona import collection
import logging
log = logging.getLogger()
# A few functions to shift coords. They call eachother semi-recursively.
def shiftCoords_Point(coords, delta):
# delta is a (delta_x, delta_y [, delta_y]) tuple
return tuple(c + d for c, d in zip(coords, delta))
def shiftCoords_LineString(coords, delta):
return list(shiftCoords_Point(pt_coords, delta) for pt_coords in coords)
def shiftCoords_Polygon(coords, delta):
return list(
shiftCoords_LineString(ring_coords, delta) for ring_coords in coords)
# We'll use a map of these functions in the processing code below.
shifters = {
'Point': shiftCoords_Point,
'LineString': shiftCoords_LineString,
'Polygon': shiftCoords_Polygon }
# Example 2D shift, 1 unit eastward and northward
delta = (1.0, 1.0)
with collection("original.shp", "r") as source:
# Create a sink for processed features with the same format and
# coordinate reference system as the source.
with collection(
"shifted.shp",
"w",
driver=source.driver,
schema=source.schema,
crs=source.crs
) as sink:
for rec in source:
try:
g = rec['geometry']
g['coordinates'] = shifters[g['type']](
g['coordinates'], delta )
rec['geometry'] = g
sink.write(rec)
except Exception, e:
log.exception("Error processing record %s:", rec)
更新:http: //sgillies.net/blog/1128/geoprocessing-for-hipsters-translating-featuresに、このスクリプトの別のよりタイトなバージョンを掲載しました。
また、投稿にはpythonのタグが付けられていますが、JEQLについては既に言及しているため、ここではJavaScriptの例を示します(GeoScriptを使用)。
/**
* Shift all coords in all features for all layers in some directory
*/
var Directory = require("geoscript/workspace").Directory;
var Layer = require("geoscript/layer").Layer;
// offset for all geometry coords
var dx = dy = 10;
var dir = Directory("./data");
dir.names.forEach(function(name) {
var orig = dir.get(name);
var shifted = Layer({
schema: orig.schema.clone({name: name + "-shifted"})
});
orig.features.forEach(function(feature) {
var clone = feature.clone();
clone.geometry = feature.geometry.transform({dx: dx, dy: dy});
shifted.add(clone);
});
dir.add(shifted);
});
GRASS GIS v.editモジュール:
一致する投影の既存の位置とマップセットが想定されます。
シェルスクリプトの場合:
#!/bin/bash
for file in `ls | grep \.shp$ | sed 's/\.shp$//g'`
do
v.in.ogr dsn=./${file}.shp output=$file
v.edit map=$file tool=move move=1,1 where="1=1"
v.out.ogr input=$file type=point,line,boundary,area dsn=./${file}_edit.shp
done
またはPythonスクリプトで:
#!/usr/bin/env python
import os
from grass.script import core as grass
for file in os.listdir("."):
if file.endswith(".shp"):
f = file.replace(".shp","")
grass.run_command("v.in.ogr", dsn=file, output=f)
grass.run_command("v.edit", map=f, tool="move", move="1,1", where="1=1")
grass.run_command("v.out.ogr", input=f, type="point,line,boundary,area", dsn="./%s_moved.shp" % f)
もう1つのオプションは、ogr2ogrで再投影オプションを使用することです。これは、確かにJEQL、Fiona、またはGeoScriptアプローチよりもハッカー的なアプローチですが、それでも効果的です。s_srsとt_srsで使用される投影間で変化している唯一のものが偽の東と北である限り、fromとtoの投影は実際に元のシェープファイルの実際の投影である必要はないことに注意してください。この例では、Googleメルカトルを使用しています。ベースとして使用するはるかに単純な座標系があると確信していますが、これはコピー/貼り付けの目の前にありました。
ogr2ogr -s_srs EPSG:900913 -t_srs 'PROJCS["Google Mercator",GEOGCS["WGS 84",DATUM["World Geodetic System 1984",SPHEROID["WGS 84",6378137.0,298.257223563,AUTHORITY["EPSG","7030"]],AUTHORITY["EPSG","6326"]],PRIMEM["Greenwich",0.0,AUTHORITY["EPSG","8901"]],UNIT["degree",0.017453292519943295],AXIS["Geodetic latitude",NORTH],AXIS["Geodetic longitude",EAST],AUTHORITY["EPSG","4326"]],PROJECTION["Mercator_1SP"],PARAMETER["semi_minor",6378137.0],PARAMETER["latitude_of_origin",0.0],PARAMETER["central_meridian",0.0],PARAMETER["scale_factor",1.0],PARAMETER["false_easting",1000.0],PARAMETER["false_northing",1000.0],UNIT["m",1.0],AXIS["Easting",EAST],AXIS["Northing",NORTH],AUTHORITY["EPSG","900913"]]' -f "ESRI Shapefile" shift.shp original.shp
または、入力/貼り付けを保存するには、次を保存しますprojcs.txt
(上記と同じですが、単一引用符を囲むことを削除しました)。
-s_srs EPSG:900913
-t_srs PROJCS["Google Mercator",GEOGCS["WGS 84",DATUM["World Geodetic System 1984",SPHEROID["WGS 84",6378137.0,298.257223563,AUTHORITY["EPSG","7030"]],AUTHORITY["EPSG","6326"]],PRIMEM["Greenwich",0.0,AUTHORITY["EPSG","8901"]],UNIT["degree",0.017453292519943295],AXIS["Geodetic latitude",NORTH],AXIS["Geodetic longitude",EAST],AUTHORITY["EPSG","4326"]],PROJECTION["Mercator_1SP"],PARAMETER["semi_minor",6378137.0],PARAMETER["latitude_of_origin",0.0],PARAMETER["central_meridian",0.0],PARAMETER["scale_factor",1.0],PARAMETER["false_easting",1000.0],PARAMETER["false_northing",1000.0],UNIT["m",1.0],AXIS["Easting",EAST],AXIS["Northing",NORTH],AUTHORITY["EPSG","900913"]]
次に実行します:
ogr2ogr --optfile projcs.txt shifted.shp input.shp
--optfile
、たとえばを使用しますogr2ogr --optfile projcs.txt shifted.shp input.shp
。答えに折り込みます。
パッケージmaptoolsとそのelide関数を使用するRオプション:
shift.xy <- c(1, 2)
library(maptools)
files <- list.files(pattern = "shp$")
for (fi in files) {
xx <- readShapeSpatial(fi)
## update the geometry with elide arguments
shifted <- elide(xx, shift = shift.xy)
## write out a new shapfile
writeSpatialShape(shifted, paste("shifted", fi, sep = ""))
}
ジオファンクションでシェープファイルパーサーを使用すると、XSLTを使用してプロセスを実行できます。もちろん、後でシェープファイルに戻す必要があります:-)。
<?xml version="1.0" encoding="UTF-8"?>
<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform"
version="2.0" xmlns:gml="http://www.opengis.net/gml">
<xsl:param name="x_shift" select="0.0"/>
<xsl:param name="y_shift" select="0.0"/>
<!-- first the identity transform makes sure everything gets copied -->
<xsl:template match="node()|@*">
<xsl:copy>
<xsl:apply-templates select="@*|node()"/>
</xsl:copy>
</xsl:template>
<!-- for any element with coordinate strings, apply the translation factors -->
<!-- note that a schema-aware processor could use the schema type names to simplify -->
<xsl:template match="gml:pos|gml:posList|gml:lowerCorner|gml:upperCorner">
<xsl:copy>
<!-- this xpath parses the ordinates, assuming x y ordering (shapefiles), applies translation factors -->
<xsl:value-of select="
for $i in tokenize(.,'\s+') return
if ($i[(position() mod 2) ne 0]) then
number($i)+$x_shift
else
number($i)+$y_shift
"/>
</xsl:copy>
</xsl:template>
</xsl:stylesheet>
Groovy GeoScriptのバージョンは次のとおりです。
import geoscript.workspace.Directory
import geoscript.layer.Layer
int dx = 10
int dy = 10
def dir = new Directory("./data")
dir.layers.each{name ->
def orig = dir.get(name)
def shifted = dir.create("${name}-shifted", orig.schema.fields)
shifted.add(orig.cursor.collect{f ->
f.geom = f.geom.translate(dx, dy)
f
})
}
これがOGRバージョンです
driver = ogr.GetDriverByName( "ESRI Shapefile")
def move(dx、dy、dz):
dataSource = driver.Open(path,1)
layer = dataSource.GetLayer(0)
for feature in layer:
get_poly = feature.GetGeometryRef()
get_ring = get_poly.GetGeometryRef(0)
points = get_ring.GetPointCount()
set_ring = ogr.Geometry(ogr.wkbLinearRing)
for p in xrange(points):
x,y,z = get_ring.GetPoint(p)
x += dx
y += dy
z += dz
set_ring.AddPoint(x,y)
print x,y,z
set_poly = ogr.Geometry(ogr.wkbPolygon)
set_poly.AddGeometry(set_ring)
feature.SetGeometry(set_poly)
layer.SetFeature(feature)
del layer
del feature
del dataSource