读mdfs数据并画图

注:解决的几项技术细节问题:

1、cartopy叠加shp地图文件;
2、scipy.rbf 从站点插值到格点 一定要注意不能出现一个经纬度点出现多个值,否则会报错;
3、cartopy画图调整colorbar、调整线条颜色、阴影颜色、等值线label等细节问题。

mdfs(Ming distributed file system)是一个负载均衡的分布式文件系统,目前主要用于中国气象局MICAPS系统。本文使用了https://github.com/CyanideCN/micaps_mdfs中mdfs的库,解析并绘制了空中实况观测,绘制了空中等高线、等温线、露点温度差、风向风速等。效果如图

50020200914080000.png
70020200914080000.png
85020200914080000.png

话不多说,直接上代码
'''

import sys
sys.path.append('/home/shortterm/micaps_mdfs/micaps_mdfs-master/')
import datetime
from mdfs import Station
import numpy as np
import pandas as pd
import os
import matplotlib.pyplot as plt
import matplotlib.colors as ccolor
import matplotlib.cm as cmx
import cartopy.crs as ccrs
import cartopy.feature as cfeature
from cartopy.mpl.ticker import LongitudeFormatter,LatitudeFormatter
import matplotlib.ticker as mticker
from cartopy.io.shapereader import Reader
from matplotlib.ticker import MaxNLocator
from matplotlib.colors import BoundaryNorm
SHP_china = '/home/shortterm/micaps_mdfs/china_shp'
SHP_world = '/home/shortterm/.local/share/cartopy/shapefiles/natural_earth/physical'
from scipy.interpolate import griddata#引入插值函数
from scipy.interpolate import Rbf#引入径向基函数
import matplotlib.patches as patches

# plt.rcParams['font.sans-serif'] = ['SimHei']  # 用来正常显示中文标签
# plt.rcParams['axes.unicode_minus'] = False  # 用来正常显示负号
def griddata_data(var,lat,lon,extent):
    data=pd.DataFrame([lon,lat,var]).T
    data=data.dropna()
    lon=data.iloc[:,0].values.reshape(-1,1)
    lat=data.iloc[:,1].values.reshape(-1,1)
    var=data.iloc[:,2].values.reshape(-1,1)

    points = np.concatenate([lon,lat],axis = 1)
    lon_min = extent[0]
    lon_max = extent[1]
    lat_min = extent[2]
    lat_max = extent[3]

    det_grid=0.5
    lon_grid, lat_grid = np.meshgrid(np.arange(lon_min,lon_max+det_grid,det_grid), 
                        np.arange(lat_min,lat_max+det_grid,det_grid))

    grid_data = griddata(points,var,(lon_grid,lat_grid),method = 'cubic')
    grid_data = grid_data[:,:,0]


    if lat_grid[0,0]<lat_grid[1,0]:
        lat_grid = lat_grid[-1::-1]
        grid_data = grid_data[-1::-1]
    return grid_data,lat_grid,lon_grid

def rbf_data(var,lat,lon,extent):
    data=pd.DataFrame([lon,lat,var]).T
    data=data.dropna()
    data=data[data.iloc[:,1]>5]
    lon=data.iloc[:,0].values.flatten()
    lat=data.iloc[:,1].values.flatten()
    var=data.iloc[:,2].values.flatten()
    olon=np.linspace(70,140,141)#设置网格经度
    olat=np.linspace(10,60,101)#设置网格纬度
    olon,olat=np.meshgrid(olon,olat)
    func=Rbf(lon,lat,var,function='linear')
    grid_data=func(olon,olat)
    return grid_data,olat,olon

def wsd2uv(ws, wd):     #风向风速转U、V
    wd = 270 - wd
    wd = wd /180 *np.pi
    x = ws * np.cos(wd)
    y = ws * np.sin(wd)
    return(x, y)

if __name__ == '__main__':

    Filetime=datetime.datetime.now()

    file_hour=''
    if (datetime.datetime.now().hour>=10) and (datetime.datetime.now().hour<22): 
        file_hour='080000'
    if (datetime.datetime.now().hour>=22) and (datetime.datetime.now().hour<24): 
        file_hour='200000'
    if (datetime.datetime.now().hour>=0) and (datetime.datetime.now().hour<10): 
        Filetime=Filetime-datetime.timedelta(days=1)
        file_hour='200000'
    FiletimeStr=Filetime.strftime('%Y%m%d')

    print(FiletimeStr)
    lev=['100','150','200','250','300','400','500','700','850','925','1000']
    extent=[70, 135, 15, 55]   #经纬度范围

    for i in lev:
#        file_name_dir='/mnt/z/highnew/plot/'+i+'/'+NowTimeStr+file_hour+'.000'
        file_name_dir=r'/mnt/micaps/highnew/plot/'+i+'/'+FiletimeStr+file_hour+'.000'
        print(file_name_dir)


    #    file_data = Station('./20200907080000.000')
        file_data =Station(file_name_dir)
        lon = file_data.data['Lon'] 
        lat = file_data.data['Lat']

        #  3   测站高度
        #  421 高度
        #  803 温度露点差
        #  601 温度
        #  201 风向
        #  203 风速

        hgt = file_data.data[421] 
        temp=  file_data.data[601]
        wind_dir=file_data.data[201]
        wind_speed=file_data.data[203]
        dewt=file_data.data[803]

        #将风向风速转变为UV
        U=[]
        V=[]
        for k,j in zip(wind_speed,wind_dir):
            u,v=wsd2uv(k,j)
            U.append(u)
            V.append(v)

        grid_hgt,lat_grid,lon_grid=rbf_data(hgt,lat,lon,extent)
        grid_temp,lat_grid,lon_grid=rbf_data(temp,lat,lon,extent)
        grid_dewt,lat_grid,lon_grid=rbf_data(dewt,lat,lon,extent)
        grid_dewt[grid_dewt<0]=0.0 # 因为插值的原因,grid_dewt部分值为小于0,将小于0的全部设置为0
        grid_U,lat_grid,lon_grid=rbf_data(U,lat,lon,extent)
        grid_V,lat_grid,lon_grid=rbf_data(V,lat,lon,extent)

        #proj= ccrs.LambertConformal(central_longitude=110, central_latitude=35) 
        proj= ccrs.PlateCarree() 
        fig = plt.figure(figsize=(10,8),dpi=300)  
        ax = fig.subplots(1, 1, subplot_kw={'projection': proj})

        #kedu 
        ax.xlabel_style={'size':33.5}
        ax.ylabel_style={'size':33.5}
        ax.set_extent(extent, ccrs.PlateCarree())
#        ax.coastlines(resolution='10m', linewidth=0.3)
        ax.add_geometries(Reader(os.path.join(SHP_china, 'cnhimap.shp')).geometries(),ccrs.PlateCarree(),facecolor='none',edgecolor='k', linewidth=0.3)
        ax.add_geometries(Reader(os.path.join(SHP_world, '10m_coastline.shp')).geometries(),ccrs.PlateCarree(),facecolor='none',edgecolor='k', linewidth=0.3)
        ax.set_xticks([70,75,80,85,90,95,100,105,110,115,120,125,130,135,140])#需要显示的经度,一般可用np.arange
        ax.set_yticks([10,15,20,25,30,35,40,45,50,55,60])#需要显示的纬度
        ax.xaxis.set_major_formatter(LongitudeFormatter())#将横坐标转换为经度格式
        ax.yaxis.set_major_formatter(LatitudeFormatter())#将纵坐标转换为纬度格式
        ax.tick_params(axis='both',labelsize=8,direction='in',length=2.75,width=0.55,right=True,top=True)#修改刻度样式
        ax.grid(linewidth=0.4, color='k', alpha=0.45, linestyle='--')#开启网格线

        #画等高线
        levels=np.arange(pd.Series(hgt).dropna().round(0).min(),pd.Series(hgt).dropna().round(0).max(),4)
        hgt_line = ax.contour(lon_grid,lat_grid,grid_hgt,levels=levels,colors=['blue'],linewidths=1.0,transform=ccrs.PlateCarree())
    #    levelsf = MaxNLocator(nbins=18).tick_values(564,600)
        #cf = ax.contourf(lon_grid,lat_grid,grid_data,levels=levelsf,transform=ccrs.PlateCarree())
        ax.clabel(
                hgt_line,  # Typically best results when labelling line contours.
                colors=['black'],
                manual=False,  # Automatic placement vs manual placement.
                inline=True,  # Cut the line where the label will be placed.
                fmt=' {:.0f} '.format,  # Labes as integers, with some extra space.
                fontsize=4.5,
                inline_spacing=0,
                )

        #画等温线
        levels=np.arange(pd.Series(temp).dropna().round(0).min(),pd.Series(temp).dropna().round(0).max(),4)
        temp_line = ax.contour(lon_grid,lat_grid,grid_temp,levels=levels,colors=['red'],linestyles='--',linewidths=1.0,transform=ccrs.PlateCarree())
        ax.clabel(
                temp_line,  # Typically best results when labelling line contours.
                colors=['black'],
                manual=False,  # Automatic placement vs manual placement.
                inline=True,  # Cut the line where the label will be placed.
                fmt=' {:.0f} '.format,  # Labes as integers, with some extra space.
                fontsize=4.5,
                inline_spacing=0,
                )
        #画温度露点差
        levels=np.arange(pd.Series(dewt).dropna().round(0).min(),pd.Series(dewt).dropna().round(0).max(),4)
        dewt_fill = ax.contourf(lon_grid,lat_grid,grid_dewt,levels=levels,cmap='Blues_r',transform=ccrs.PlateCarree())
        position=fig.add_axes([0.92,0.16,0.02,0.68])
        cb=fig.colorbar(dewt_fill,cax=position,extend='both',shrink=0.3,pad=0.01)

        #画风场
        barbs_inspace=3
        ax.barbs(lon_grid[::barbs_inspace,::barbs_inspace],lat_grid[::barbs_inspace,::barbs_inspace],
        grid_U[::barbs_inspace,::barbs_inspace],grid_V[::barbs_inspace,::barbs_inspace],linewidth=0.35,
        barb_increments={'half':2,'full':4,'flag':20},
        sizes=dict(spacing=0.1,width=0.05,emptybarb=0.02,height=0.35),length=3.5,zorder=5)
#        ax.text(0.02, 1.02, i,horizontalalignment='center',verticalalignment='center',transform=ax.transAxes)
        ax.text(0.09, 1.01, FiletimeStr+file_hour,horizontalalignment='center',verticalalignment='center',transform=ax.transAxes)
        ax.text(0.9, 1.01, i+'hPa,H,T,Wind,Dewt',horizontalalignment='center',verticalalignment='center',transform=ax.transAxes)


        plt.savefig('/home/shortterm/micaps_mdfs/sounding/'+str(i)+FiletimeStr+file_hour+'.png') 

'''

最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 213,186评论 6 492
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 90,858评论 3 387
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 158,620评论 0 348
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 56,888评论 1 285
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 66,009评论 6 385
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 50,149评论 1 291
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 39,204评论 3 412
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 37,956评论 0 268
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 44,385评论 1 303
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 36,698评论 2 327
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 38,863评论 1 341
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 34,544评论 4 335
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 40,185评论 3 317
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 30,899评论 0 21
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 32,141评论 1 267
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 46,684评论 2 362
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 43,750评论 2 351