怎么使用Python的可视化工具


这篇文章主要讲解了“怎么使用Python的可视化工具”,文中的讲解内容简单清晰,易于学习与理解,下面请大家跟着小编的思路慢慢深入,一起来研究和学习“怎么使用Python的可视化工具”吧!

探索数据集

在我们探讨数据的可视化之前,让我们先来快速的浏览一下我们将要处理的数据集。我们将要使用的数据来自 openlights。我们将要使用航线数据集、机场数据集、航空公司数据集。其中,路径数据的每一行对应的是两个机场之间的飞行路径;机场数据的每一行 对应的是世界上的某一个机场,并且给出了相关信息;航空公司的数据的每一行给出的是每一个航空公司。

首先我们先读取数据:

#Importthepandaslibrary.importpandas#Readintheairportsdata.airports=pandas.read_csv("airports.csv",header=None,dtype=str)airports.columns=["id","name","city","country","code","icao","latitude","longitude","altitude","offset","dst","timezone"]#Readintheairlinesdata.airlines=pandas.read_csv("airlines.csv",header=None,dtype=str)airlines.columns=["id","name","alias","iata","icao","callsign","country","active"]#Readintheroutesdata.routes=pandas.read_csv("routes.csv",header=None,dtype=str)routes.columns=["airline","airline_id","source","source_id","dest","dest_id","codeshare","stops","equipment"]

这些数据没有列的***项,因此我们通过赋值 column 属性来添加列的***项。我们想要将每一列作为字符串进行读取,因为这样做可以简化后续以行 id 为匹配,对不同的数据框架进行比较的步骤。我们在读取数据时设置了 dtype 属性值达到这一目的。

那么在此之前我们需要做一些数据清洗的工作。

routes = routes[routes["airline_id"] != "//N"]

这一行命令就确保了我们在 airline_id 这一列只含有数值型数据。

制作柱状图

现在我们理解了数据的结构,我们可以进一步地开始描点来继续探索这个问题。首先,我们将要使用 matplotlib 这个工具,matplotlib 是一个相对底层的 Python 栈中的描点库,所以它比其他的工具库要多敲一些命令来做出一个好看的曲线。另外一方面,你可以使用 matplotlib 几乎做出任何的曲线,这是因为它十分的灵活,而灵活的代价就是非常难于使用。

我们首先通过做出一个柱状图来显示不同的航空公司的航线长度分布。一个柱状图将所有的航线的长度分割到不同的值域,然后对落入到不同的值域范围内的航线进行计数。从中我们可以知道哪些航空公司的航线长,哪些航空公司的航线短。

为了达到这一点,我们需要首先计算一下航线的长度,***步就要使用距离公式,我们将会使用余弦半正矢距离公式来计算经纬度刻画的两个点之间的距离。

importmathdefhaversine(lon1,lat1,lon2,lat2):#Convertcoordinatestofloats.lon1,lat1,lon2,lat2=[float(lon1),float(lat1),float(lon2),float(lat2)]#Converttoradiansfromdegrees.lon1,lat1,lon2,lat2=map(math.radians,[lon1,lat1,lon2,lat2])#&nbspputedistance.dlon=lon2-lon1dlat=lat2-lat1a=math.sin(dlat/2)**2+math.cos(lat1)*math.cos(lat2)*math.sin(dlon/2)**2c=2*math.asin(math.sqrt(a))km=6367*creturnkm

然后我们就可以使用一个函数来计算起点机场和终点机场之间的单程距离。我们需要从路线数据框架得到机场数据框架所对应的 source_id 和 dest_id,然后与机场的数据集的 id 列相匹配,然后就只要计算就行了,这个函数是这样的:

defcalc_dist(row):dist=0try:#Matchsourceanddestinationtogetcoordinates.source=airports[airports["id"]==row["source_id"]].iloc[0]dest=airports[airports["id"]==row["dest_id"]].iloc[0]#Usecoordinatesto&nbspputedistance.dist=haversine(dest["longitude"],dest["latitude"],source["longitude"],source["latitude"])except(ValueError,IndexError):passreturndist

如果 source_id 和 dest_id 列没有有效值的话,那么这个函数会报错。因此我们需要增加 try/catch 模块对这种无效的情况进行捕捉。

***,我们将要使用 pandas 来将距离计算的函数运用到 routes 数据框架。这将会使我们得到包含所有的航线线长度的 pandas 序列,其中航线线的长度都是以公里做单位。

route_lengths = routes.apply(calc_dist, axis=1)

现在我们就有了航线距离的序列了,我们将会创建一个柱状图,它将会将数据归类到对应的范围之内,然后计数分别有多少的航线落入到不同的每个范围:

importmatplotlib.pyplotasplt%matplotlibinlineplt.hist(route_lengths,bins=20)

我们用 import matplotlib.pyplot as plt 导入 matplotlib 描点函数。然后我们就使用 %matplotlib inline 来设置 matplotlib 在 ipython 的 notebook 中描点,最终我们就利用 plt.hist(route_lengths, bins=20) 得到了一个柱状图。正如我们看到的,航空公司倾向于运行近距离的短程航线,而不是远距离的远程航线。

使用 seaborn

我们可以利用 seaborn 来做类似的描点,seaborn 是一个 Python 的高级库。Seaborn 建立在 matplotlib 的基础之上,做一些类型的描点,这些工作常常与简单的统计工作有关。我们可以基于一个核心的概率密度的期望,使用 distplot 函数来描绘一个柱状图。一个核心的密度期望是一个曲线 —— 本质上是一个比柱状图平滑一点的,更容易看出其中的规律的曲线。

importseabornseaborn.distplot(route_lengths,bins=20)

seaborn 同时有着更加好看的默认风格。seaborn 不含有与每个 matplotlib 的版本相对应的版本,但是它的确是一个很好的快速描点工具,而且相比于 matplotlib 的默认图表可以更好的帮助我们理解数据背后的含义。如果你想更深入的做一些统计方面的工作的话,seaborn 也不失为一个很好的库。

条形图

柱状图也虽然很好,但是有时候我们会需要航空公司的平均路线长度。这时候我们可以使用条形图--每条航线都会有一个单独的状态条,显示航空公司航线 的平均长度。从中我们可以看出哪家是国内航空公司哪家是国际航空公司。我们可以使用pandas,一个python的数据分析库,来酸楚每个航空公司的平 均航线长度。

importnumpy#Putrelevantcolumnsintoadataframe.route_length_df=pandas.DataFrame({"length":route_lengths,"id":routes["airline_id"]})#&nbspputethemeanroutelengthperairline.airline_route_lengths=route_length_df.groupby("id").aggregate(numpy.mean)#Sortbylengthsowecanmakeabetterchart.airline_route_lengths=airline_route_lengths.sort("length",ascending=False)

我们首先用航线长度和航空公司的id来搭建一个新的数据框架。我们基于airline_id把route_length_df拆分成组,为每个航空 公司建立一个大体的数据框架。然后我们调用pandas的aggregate函数来获取航空公司数据框架中长度列的均值,然后把每个获取到的值重组到一个 新的数据模型里。之后把数据模型进行排序,这样就使得拥有最多航线的航空公司拍到了前面。

这样就可以使用matplotlib把结果画出来。

plt.bar(range(airline_route_lengths.shape[0]), airline_route_lengths["length"])

Matplotlib的plt.bar方法根据每个数据模型的航空公司平均航线长度(airline_route_lengths["length"])来做图。

问题是我们想看出哪家航空公司拥有的航线长度是什么并不容易。为了解决这个问题,我们需要能够看到坐标轴标签。这有点难,毕竟有这么多的航空公司。 一个能使问题变得简单的方法是使图表具有交互性,这样能实现放大跟缩小来查看轴标签。我们可以使用bokeh库来实现这个--它能便捷的实现交互性,作出 可缩放的图表。

要使用booked,我们需要先对数据进行预处理:

deflookup_name(row):try:#Matchtherowidtotheidintheairlinesdataframesowecangetthename.name=airlines["name"][airlines["id"]==row["id"]].iloc[0]except(ValueError,IndexError):name=""returnname#Addtheindex(theairlineids)asacolumn.airline_route_lengths["id"]=airline_route_lengths.index.copy()#Findalltheairlinenames.airline_route_lengths["name"]=airline_route_lengths.apply(lookup_name,axis=1)#Removeduplicatevaluesintheindex.airline_route_lengths.index=range(airline_route_lengths.shape[0])

上面的代码会获取airline_route_lengths中每列的名字,然后添加到name列上,这里存贮着每个航空公司的名字。我们也添加到id列上以实现查找(apply函数不传index)。

***,我们重置索引序列以得到所有的特殊值。没有这一步,Bokeh 无法正常运行。

现在,我们可以继续说图表问题:

importnumpyasnpfrombokeh.ioimportoutput_notebookfrombokeh.chartsimportBar,showoutput_notebook()p=Bar(airline_route_lengths,'name',values='length',title="Averageairlineroutelengths")show(p)

用 output_notebook 创建背景虚化,在 iPython 的 notebook 里画出图。然后,使用数据帧和特定序列制作条形图。***,显示功能会显示出该图。

这个图实际上不是一个图像--它是一个 JavaScript 插件。因此,我们在下面展示的是一幅屏幕截图,而不是真实的表格。

有了它,我们可以放大,看哪一趟航班的飞行路线最长。上面的图像让这些表格看起来挤在了一起,但放大以后,看起来就方便多了。

水平条形图

Pygal 是一个能快速制作出有吸引力表格的数据分析库。我们可以用它来按长度分解路由。首先把我们的路由分成短、中、长三个距离,并在 route_lengths 里计算出它们各占的百分比。

long_routes=len([kforkinroute_lengthsifk>10000])/len(route_lengths)medium_routes=len([kforkinroute_lengthsifk<10000andk>2000])/len(route_lengths)short_routes=len([kforkinroute_lengthsifk<2000])/len(route_lengths)

然后我们可以在 Pygal 的水平条形图里把每一个都绘成条形图:

importpygalfromIPython.displayimportSVGchart=pygal.HorizontalBar()chart.title='Long,medium,andshortroutes'chart.add('Long',long_routes*100)chart.add('Medium',medium_routes*100)chart.add('Short',short_routes*100)chart.render_to_file('routes.svg')SVG(filename='routes.svg')

首先,我们使用 pandasapplymethod 计算每个名称的长度。它将找到每个航空公司的名字字符的数量。然后,我们使用 matplotlib 做一个散点图来比较航空 id 的长度。当我们绘制时,我们把 theidcolumn of airlines 转换为整数类型。如果我们不这样做是行不通的,因为它需要在 x 轴上的数值。我们可以看到不少的长名字都出现在早先的 id 中。这可能意味着航空公司在成立前往往有较长的名字。

我们可以使用 seaborn 验证这个直觉。Seaborn 增强版的散点图,一个联合的点,它显示了两个变量是相关的,并有着类似地分布。

data = pandas.DataFrame({"lengths": name_lengths, "ids": airlines["id"].astype(int)})
seaborn.jointplot(x="ids", y="lengths", data=data)

画弧线

在地图上看到所有的航空路线是很酷的,幸运的是,我们可以使用 basemap 来做这件事。我们将画弧线连接所有的机场出发地和目的地。每个弧线想展示一个段都航线的路径。不幸的是,展示所有的线路又有太多的路由,这将会是一团糟。 替代,我们只现实前 3000 个路由。

#Makeabasemapwithamercatorprojection.Drawthecoastlines.m=Basemap(projection='merc',llcrnrlat=-80,urcrnrlat=80,llcrnrlon=-180,urcrnrlon=180,lat_ts=20,resolution='c')m.drawcoastlines()#Iteratethroughthefirst3000rows.forname,rowinroutes[:3000].iterrows():try:#Getthesourceanddestairports.source=airports[airports["id"]==row["source_id"]].iloc[0]dest=airports[airports["id"]==row["dest_id"]].iloc[0]#Don'tdrawoverlylongroutes.ifabs(float(source["longitude"])-float(dest["longitude"]))<90:#Drawagreatcirclebetweensourceanddestairports.m.drawgreatcircle(float(source["longitude"]),float(source["latitude"]),float(dest["longitude"]),float(dest["latitude"]),linewidth=1,color='b')except(ValueError,IndexError):pass#Showthemap.plt.show()

我们将做的最终的探索是画一个机场网络图。每个机场将会是网络中的一个节点,并且如果两点之间有路由将划出节点之间的连线。如果有多重路由,将添加线的权重,以显示机场连接的更多。将使用 networkx 库来做这个功能。

首先,计算机场之间连线的权重。

#Initializetheweightsdictionary.weights={}#Keeptrackofkeysthathavebeenaddedonce--weonlywantedgeswithaweightofmorethan1tokeepournetworksizemanageable.added_keys=[]#Iteratethrougheachroute.forname,rowinroutes.iterrows():#Extractthesourceanddestairportids.source=row["source_id"]dest=row["dest_id"]#Createakeyfortheweightsdictionary.#Thiscorrespondstooneedge,andhasthestartandendoftheroute.key="{0}_{1}".format(source,dest)#Ifthekeyisalreadyinweights,incrementtheweight.ifkeyinweights:weights[key]+=1#Ifthekeyisinaddedkeys,initializethekeyintheweightsdictionary,withaweightof2.elifkeyinadded_keys:weights[key]=2#Ifthekeyisn'tinadded_keysyet,appendit.#Thisensuresthatwearen'taddingedgeswithaweightof1.else:added_keys.append(key)

一旦上面的代码运行,这个权重字典就包含了每两个机场之间权重大于或等于 2 的连线。所以任何机场有两个或者更多连接的路由将会显示出来。

#Importnetworkxandinitializethegraph.importnetworkxasnxgraph=nx.Graph()#Keeptrackofaddednodesinthissetsowedon'taddtwice.nodes=set()#Iteratethrougheachedge.fork,weightinweights.items():try:#Splitthesourceanddestidsandconverttointegers.source,dest=k.split("_")source,dest=[int(source),int(dest)]#Addthesourceifitisn'tinthenodes.ifsourcenotinnodes:graph.add_node(source)#Addthedestifitisn'tinthenodes.ifdestnotinnodes:graph.add_node(dest)#Addbothsourceanddesttothenodesset.#Setsdon'tallowduplicates.nodes.add(source)nodes.add(dest)#Addtheedgetothegraph.graph.add_edge(source,dest,weight=weight)except(ValueError,IndexError):passpos=nx.spring_layout(graph)#Drawthenodesandedges.nx.draw_networkx_nodes(graph,pos,node_color='red',node_size=10,alpha=0.8)nx.draw_networkx_edges(graph,pos,width=1.0,alpha=1)#Showtheplot.plt.show()

感谢各位的阅读,以上就是“怎么使用Python的可视化工具”的内容了,经过本文的学习后,相信大家对怎么使用Python的可视化工具这一问题有了更深刻的体会,具体使用情况还需要大家实践验证。这里是主机评测网,小编将为大家推送更多相关知识点的文章,欢迎关注!


上一篇:如何自建oracle数据库

下一篇:linux golang如何部署


Copyright © 2002-2019 测速网 https://www.inhv.cn/ 皖ICP备2023010105号 城市 地区 街道
温馨提示:部分文章图片数据来源与网络,仅供参考!版权归原作者所有,如有侵权请联系删除!
热门搜索