I need to plot some data in Germany with cartopy. The data part of my plot works fine (so I deleted it for now). Unfortunately, the shape of the country is deformed due to the projection.
I am currently using the PlateCarree projection, but changing it to Orthographic or others created the same plot.
How to improve the shape?
Code:
JavaScript
x
28
28
1
import matplotlib.pyplot as plt
2
import cartopy.crs as ccrs
3
from cartopy.io import shapereader
4
5
# get country borders
6
resolution = '10m'
7
category = 'cultural'
8
name = 'admin_0_countries'
9
shpfilename = shapereader.natural_earth(resolution, category, name)
10
df = geopandas.read_file(shpfilename)
11
poly = df.loc[df['ADMIN'] == 'Germany']['geometry'].values[0]
12
13
# plot
14
ax = plt.axes(projection=ccrs.PlateCarree())
15
ax.set_extent([5.8, 15.1, 47.25, 55.1],
16
crs=ccrs.PlateCarree())
17
ax.add_geometries(poly,
18
crs=ccrs.PlateCarree(),
19
facecolor='gainsboro',
20
edgecolor='slategray',
21
lw=0.1,
22
alpha=.8)
23
24
# save plot
25
save_path = 'germany.png'
26
plt.savefig(save_path, dpi=250, bbox_inches='tight', pad_inches=0.)
27
plt.close()
28
Advertisement
Answer
The solution is transforming the Geopandas Dataframe using the same projection as explained here
New output: germany.png
New code:
JavaScript
1
43
43
1
import matplotlib.pyplot as plt
2
import cartopy.crs as ccrs
3
import geopandas
4
from cartopy.io import shapereader
5
6
# get country borders
7
resolution = "10m"
8
category = "cultural"
9
name = "admin_0_countries"
10
shpfilename = shapereader.natural_earth(resolution, category, name)
11
df = geopandas.read_file(shpfilename)
12
df_de = df.loc[df["ADMIN"] == "Germany"]
13
14
15
extent = [6., 14.8, 47.1, 55.1]
16
17
# plot
18
crs = ccrs.Orthographic(
19
central_longitude=(0.5 * (extent[0] + extent[1])),
20
central_latitude=(0.5 * (extent[2] + extent[3])),
21
)
22
23
crs_proj4 = crs.proj4_init
24
25
df_de.crs = "EPSG:4326"
26
df_ae = df_de.to_crs(crs_proj4)
27
28
fig, ax = plt.subplots(subplot_kw={"projection": crs})
29
ax.set_extent(extent)
30
ax.add_geometries(
31
df_ae["geometry"],
32
crs=crs,
33
facecolor="gainsboro",
34
edgecolor="slategray",
35
lw=0.1,
36
alpha=0.8,
37
)
38
39
# save plot
40
save_path = "germany.png"
41
plt.savefig(save_path, dpi=250, bbox_inches="tight", pad_inches=0.0)
42
plt.close()
43