matplotlib 隐藏Cartopy中高纬度非矩形投影的右侧轴(纬度)标签

d8tt03nd  于 2023-03-03  发布在  其他
关注(0)|答案(1)|浏览(181)

我尝试使用right_labels = False隐藏CartopyMap中的右侧标签(又名纬度),但仅适用于某些值。然而,使用top_labels = Falsebottom_label=False可以隐藏顶部/底部标签。
重现:

import numpy as np
    import matplotlib.pyplot as plt
    import cartopy.crs as ccrs
    import matplotlib.ticker as mticker
    import matplotlib.path as mpath
    import cartopy.feature as cf

    """
    Plot Alaska
    """

    # Map View Using Cartopy
    fig = plt.figure(figsize=(8,6))

    xmin=-163
    xmax=-120
    ymin=50
    ymax=71

    proj = ccrs.LambertConformal(central_longitude=(xmin+xmax)/2, central_latitude=(ymin+ymax)/2)
    ax = fig.add_subplot(1, 1, 1, projection=proj)
    n = 20
    aoi = mpath.Path(
        list(zip(np.linspace(xmin, xmax, n), np.full(n, ymax))) + \
        list(zip(np.full(n, xmax), np.linspace(ymax, ymin, n))) + \
        list(zip(np.linspace(xmax, xmin, n), np.full(n, ymin))) + \
        list(zip(np.full(n, xmin), np.linspace(ymin, ymax, n)))
    )
    ax.set_boundary(aoi, transform=ccrs.PlateCarree())

    # Plot Ocean Borders
    ocean = cf.NaturalEarthFeature('physical', 'ocean', scale='50m', edgecolor='k', facecolor='lightblue', lw=1,
                                   linestyle='-')
    ax.add_feature(ocean)
    # Colored Land Background
    land = cf.NaturalEarthFeature('physical', 'land', scale='50m', facecolor='snow', lw=1, linestyle='--')
    ax.add_feature(land)

    ax.set_extent([xmin, xmax, ymin, ymax], crs=ccrs.PlateCarree())
    # Set gridlines to variable so you can manipulate them
    gl = ax.gridlines(draw_labels=True, crs=ccrs.PlateCarree(), x_inline=False, y_inline=False)
    gl.xlocator = mticker.FixedLocator([-160, -150, -140, -130, -120])
    gl.ylocator = mticker.FixedLocator([50, 55, 60, 65, 70])
    gl.top_labels = False
    gl.right_labels = False

    plt.show()

这就是我得到的:

我怀疑这与使用ax.set_boundary()制作Map有关,但在网上查找后,除了GitHub issue之外,我找不到任何其他提到该问题的内容,但它已关闭,因此我认为他们已修复该问题。我使用的是Cartopy版本0.21.1。
这个问题来自于对另一个SO问题的研究:Cartopy labels not appearing for high-latitude non-rectangular projection(所有代码制作人均为@kbiegseismic)。

7tofc5zh

7tofc5zh1#

很明显,ax.set_boundary()混淆了.gridlines()中的进程,特别是在这个特殊情况下,当它需要隐藏一些y标签时,因此,一些标签的可见性被错误地设置。
我们需要等待Cartopy的下一个版本来查看更好的gridlines()功能。如果您需要解决方法,您可以尝试下面的代码片段。只需将其放在现有代码的末尾。

# Generate the plot to enable access to the labels' attributes
plt.draw()

# Iterate for the y-labels
# The right labels have x coordinates > 0
# The left labels < 0
for ea in gl.ylabel_artists:
    right_label = ea.get_position()[0] > 0
    # print(ea, ea.get_position()[0], ea.get_visible())
    if right_label:
        ea.set_visible(False)

plt.show()

如果您修改Map边界,使其具有如下所示的额外缓冲区:-

pg = 0.006
#xmin=-163 -pg
xmax=-120 +pg
ymin=50 -pg
#ymax=71 +pg

最终的绘图将包括在120°W经度和50°N纬度处缺失的标签。

相关问题