map = Basemap(resolution ='c')
map.drawcoastlines()
map.drawcountries()
map.drawmeridians(np.arange(0, 360, 30))
map.drawparallels(np.arange(-90, 90, 30))
map.bluemarble()
lat_list=worksheet.col_values(16)
long_list=worksheet.col_values(17)
lat_list.remove('lat')
long_list.remove('lon')
for index in range(0,len(lat_list)):
x, y = map(long_list[index],lat_list[index])
map.plot(x, y, 'bo', markersize=5)
上图是地图上的点。我有一个与lat_list和long_list相同的列表。我想根据地图上的点着色,在地图上显示带有相应标签的颜色比例。
答案 0 :(得分:2)
看看this tutorial。我建议全文阅读;成为一名熟练的程序员的一部分是阅读其他人的代码并理解他们所做的事情。但是,如果您只对自己的答案感兴趣,请向下滚动,直至看到副标题"添加颜色"或点击页面顶部的链接。希望这有帮助!
因为它涉及为你的价值着色,我有一些解决你问题的方法,我发现here。我修改了答案中找到的rgb函数,返回十六进制颜色,HTML格式。然后,您需要create your own color bar根据映射到这些颜色的值。您还需要使用像gridspec这样的东西来适当调整大小。
import matplotlib as mpl
import matplotlib.pyplot as plot
from mpl_toolkits.basemap import Basemap
import matplotlib.gridspec as gridspec
def rgb(mini,maxi,value):
mini, maxi, value = float(mini), float(maxi), float(value)
ratio = 2 * (value - mini) / (maxi-mini)
b = int(max(0,255*(1-ratio)))
r = int(max(0,255*(ratio -1)))
g = 255 - b - r
b = hex(b)
r = hex(r)
g = hex(g)
if len(b) == 3:
b = b[0:2] + '0' + b[-1]
if len(r) == 3:
r = r[0:2] + '0' + r[-1]
if len(g) == 3:
g = g[0:2] + '0' + g[-1]
color = '#'+r[2:]+g[2:]+b[2:]
return color
#gridspec will ensure that we get good size ratios when we display the figure
gs = gridspec.GridSpec(1,2, width_ratios = [20,1], height_ratios = [10,1])
#generate the default map
fig = plot.figure(figsize=(17,10))
ax1 = plot.subplot(gs[:, :-1])
map1 = Basemap(ax=ax1)
#code to add more things to the map
#coloring values
correspondance = {}
minimum = min(list_of_values)
maximum = max(list_of_values)
for lon,lat,val in zip(list_of_longitude, list_of_latitude,list_of_values):
#get the color for this value and add it on to the end of our list
color = rgb(minimum,maximum,value)
#make a dictionary that has each value corresponding to its color
#will be used later to make the color bar
correspondance[val] = color
map1.plot(lon,lat, marker = 'o', color = color)
ax2 = plot.subplot(gs[:-1, 1])
#making a color bar requires the values to be in an ordered list
#as well as the colors to be in an ordered list corresponding to the values
bounds = sorted(set(list_of_values)) #get a list of unique sorted values
colors = [correspondance[value] for value in bounds] #a list of colors corresponding to its value in bounds
cmap = mpl.colorbar.Colorbase(colors, 'indexed')
#bounds needs to of size length of colors + 1
bounds += [max(bounds) + .001]
norm = mpl.colors.BoundaryNorm(bounds, cmap.N)
cb = mpl.colorbar.ColorbarBase(ax2, cmap = cmap, norm = norm, \
boundaries = [float(min(list_of_values)-.1)] + bounds + [float(max(list_of_values)+.1)],\
ticks = bounds, spacing = 'proportional', orientation = 'vertical' )