matplotlib的学习和使用

matplotlib的安装

pip3 install matplotlib

简单的折线图

import  matplotlib.pyplot as plt
#绘制简单的图表
input_values = [1,2,3,4,5]
squares = [1,4,9,16,25]
plt.plot(input_values,squares,linewidth=5) #设置图表的标题 并给坐标轴加上标签
plt.title("Square Number",fontsize=24)
plt.xlabel("Value",fontsize=24)
plt.ylabel("Square of Value",fontsize=14) #设置刻度标记的大小
plt.tick_params(axis='both',labelsize=14)
#显示图表
plt.show()
#保存在当前的目录下,文件名为squares_plot.png
#plt.savefig('squares_plot.png', bbox_inches='tight')

绘制简单的散点图

import matplotlib.pyplot as plt

x_values = [1, 2, 3, 4, 5]
y_values = [1, 4, 9, 16, 25] plt.scatter(x_values, y_values, s=100) #设置图表的标题 并给坐标轴加上标签
plt.title("Square Number",fontsize=24)
plt.xlabel("Value",fontsize=24)
plt.ylabel("Square of Value",fontsize=14) #设置刻度标记的大小
plt.tick_params(axis='both',labelsize=14) plt.show()

import  matplotlib.pyplot as plt

#绘制散点图并设置其样式

x_value = list(range(1,1001))
y_value = [x**2 for x in x_value] #点的颜色 c=(0,0,1,0.5) edgecolors = 'red' 点的边缘颜色
plt.scatter(x_value,y_value,c=y_value,cmap=plt.cm.Blues,edgecolors='none',s=40)
# plt.scatter(2,4,s=200) #设置图表的标题 并给坐标轴加上标签
plt.title("Square Number",fontsize=24)
plt.xlabel("Value",fontsize=24)
plt.ylabel("Square of Value",fontsize=14) #设置刻度标记的大小
plt.tick_params(axis='both',labelsize=14) #设置每个坐标系的取值范围
# plt.axis([0,110,0,110000]) #显示
plt.show()
#显示并保存
#plt.savefig('pyplot_scatter.png',bbox_inches='tight')

绘制随机漫步图

random_walk.py

from  random import choice

class RandomWalk():
"""一个生成随机漫步数据的类""" def __init__(self,num_points=5000):
"""一个生成随机漫步的数据的类"""
self.num_points = num_points;
#所有的随机漫步都始于(0,0)
self.x_value = [0]
self.y_value = [0] def fill_walk(self):
"""计算随机漫步包含的点""" #不断漫步,直到列表达到指定的长度
while len(self.x_value) < self.num_points:
#决定前进的方向以及沿这个方向前进的距离
x_direction= choice([1,-1])
x_distance = choice([0,1,2,3,4])
x_step = x_direction*x_distance y_direction = choice([1,-1])
y_distance = choice([0, 1, 2, 3, 4])
y_step = y_direction * y_distance #拒绝原地踏步
if x_step == 0 and y_step == 0:
continue #计算下一个点的x和y值
next_x = self.x_value[-1] + x_step
next_y = self.y_value[-1] + y_step self.x_value.append(next_x)
self.y_value.append(next_y)

rw_visual.py

import  matplotlib.pyplot as plt
#引用同级目录下的文件
from Random_Walk.random_walk import RandomWalk #创建一个RandomWalk的实例 并将其包含的点都绘制出来
rw = RandomWalk()
rw.fill_walk()
print("test")
point_numbers = list(range(rw.num_points))
plt.scatter(rw.x_value,rw.y_value,c=point_numbers, cmap=plt.cm.Blues,edgecolor='none',s=15)
# 突出起点和终点
plt.scatter(0, 0, c='green',edgecolors='none',s=100)
plt.scatter(rw.x_value[-1], rw.y_value[-1],c='red',edgecolors='none',s=100) # 设置绘图窗口的尺寸
# plt.figure(figsize=(10, 6))
plt.figure(dpi=128, figsize=(10, 6)) # 隐藏坐标轴
# plt.axes().get_xaxis().set_visible(False)
# plt.axes().get_yaxis().set_visible(False) plt.show()

Pygal的学习和使用

安装Pygal

pip3 install pygal

绘制简单的直方图

创建骰子类 die.py

from  random import  randint

class Die():

    """表示一个骰子的类"""
def __init__(self,num_sides=6):
"""骰子默认为6面"""
self.num_sides = num_sides def roll(self):
"""返回一个位于1和骰子面数之间的随机值"""
return randint(1,self.num_sides)

掷骰子die_visual.py

from  Pygal_learn.die import  Die
import pygal
#创建一个D6
die = Die() #掷几次骰子 并将结果存储在一个列表中
results = []
for roll_num in range(1000):
result = die.roll()
results.append(result) frequencies = []
#分析结果
for value in range(1,die.num_sides+1):
frequency = results.count(value)
frequencies.append(frequency) #对结果进行可视化
hist = pygal.Bar()
hist.title = "Result of rolling one d6 1000 times"
hist.x_labels = ['1','2','3','4','5','6']
hist.x_title = "Result"
hist.y_title = "Frequency of result" hist.add("D6",frequencies) hist.render_to_file("die_visual.svg")

使用Web API

安装requests

pip3 install requests

绘制图表

通过抓取GitHub上受欢迎程度最高的Python项目,绘制出图表

import  requests
import pygal
from pygal.style import LightColorizedStyle as LCS,LightenStyle as LS #执行API调用并存储响应
url = 'https://api.github.com/search/repositories?q=language:python&sort=stars'
r = requests.get(url)
print("Staus code:",r.status_code) response_dict = r.json()
print("Total repositories:", response_dict['total_count'])
#探索有关仓库的信息
repo_dicts = response_dict['items']
print('Repositories returned:',len(repo_dicts)) #研究第一个仓库
# repo_dict = repo_dicts[0]
# for key in sorted(repo_dict.keys()):
# print(key) #研究仓库有关的信息 # Name: macOS-Security-and-Privacy-Guide
# Owner: drduh
# Stars: 12348
# Repository: https://github.com/drduh/macOS-Security-and-Privacy-Guide
# Description: A practical guide to securing macOS. names,plot_dicts = [],[]
for repo_dict in repo_dicts:
names.append(repo_dict["name"])
# stars.append(repo_dict["stargazers_count"])
plot_dict = {
'value': repo_dict['stargazers_count'],
'label': str(repo_dict['description']),
'xlink': repo_dict['html_url']
}
plot_dicts.append(plot_dict) #可视化数据 my_config = pygal.Config()
my_config.x_label_rotation = 45
my_config.show_legend = False
my_config.title_font_size = 24
my_config.label_font_size = 14
my_config.major_label_font_size = 18
my_config.truncate_label = 15
my_config.show_y_guides = False
my_config.width = 1000 my_style = LS('#333366',base_style=LCS)
chart = pygal.Bar(my_config,style=my_style)
chart.title = "Most-Stared Python Project on Github"
chart.x_labels = names
print(plot_dicts)
chart.add('',plot_dicts)
chart.render_to_file('python_repos.svg')

4 从json文件中提取数据,并进行可视化

4.1 数据来源:population_data.json。

4.2 一个简单的代码段:

  1. import json  #导入json模版
  2. filename = 'population_data.png'
  3. with open(filename) as f:
  4. pop_data = json.load(f)  #加载json文件数据

通过小的代码段了解最基本的原理,具体详情还要去查看手册。

4.3制作简单的世界地图(代码如下)

  1. import pygal  #导入pygal
  2. wm = pygal.maps.world.World()  #正确导入世界地图模块
  3. wm.title = 'populations of Countries in North America'
  4. wm.add('North America',{'ca':34126000,'us':309349000,'mx':113423000})
  5. wm.render_to_file('na_populations.svg')  #生成svg文件

结果:

4.4 制作世界地图

代码段:

  1. import json
  2. import pygal
  3. from pygal.style import LightColorizedStyle as LCS, RotateStyle as RS
  4. from country_codes import get_country_code
  5. # Load the data into a list.
  6. filename = 'population_data.json'
  7. with open(filename) as f:
  8. pop_data = json.load(f)
  9. # Build a dictionary of population data.
  10. cc_populations = {}
  11. for pop_dict in pop_data:
  12. if pop_dict['Year'] == '2010':
  13. country_name = pop_dict['Country Name']
  14. population = int(float(pop_dict['Value']))
  15. code = get_country_code(country_name)
  16. if code:
  17. cc_populations[code] = population
  18. # Group the countries into 3 population levels.
  19. cc_pops_1, cc_pops_2, cc_pops_3 = {}, {}, {}
  20. for cc, pop in cc_populations.items():
  21. if pop < 10000000:                #分组
  22. cc_pops_1[cc] = pop
  23. elif pop < 1000000000:
  24. cc_pops_2[cc] = pop
  25. else:
  26. cc_pops_3[cc] = pop
  27. # See how many countries are in each level.
  28. print(len(cc_pops_1), len(cc_pops_2), len(cc_pops_3))
  29. wm_style = RS('#336699', base_style=LCS)
  30. wm = pygal.maps.world.World(style=wm_style)   #已修改,原代码有错误!
  31. wm.title = 'World Population in 2010, by Country'
  32. wm.add('0-10m', cc_pops_1)
  33. wm.add('10m-1bn', cc_pops_2)
  34. wm.add('>1bn', cc_pops_3)
  35. wm.render_to_file('world_population.svg')

辅助代码段country_code.py如下:

    1. from pygal.maps.world import COUNTRIES
    2. from pygal_maps_world import i18n      #原代码也有错误,现已订正
    3. def get_country_code(country_name):
    4. """Return the Pygal 2-digit country code for the given country."""
    5. for code, name in COUNTRIES.items():
    6. if name == country_name:
    7. return code
    8. # If the country wasn't found, return None.
    9. return None

监视API的速率限制

大多数API都存在速率限制,即你在特定时间内可执行的请求数存在限制。要获悉你是否接近了GitHub的限制,请在浏览器中输入https://api.github.com/rate_limit ,你将看到类似于下 面的响应:

参考内容:《Python编程:从入门到实践》

最新文章

  1. Kernels
  2. smaller programs should improve performance
  3. MemSQL分布式架构介绍(二)
  4. 一个Java方法覆盖的小问题
  5. Ruby Regexp
  6. python(6)-类
  7. (转)基于Redis Sentinel的Redis集群(主从&amp;Sharding)高可用方案
  8. POJ_3666_Making_the_Grade_(动态规划)
  9. Guava API学习之Multimap
  10. 安装 Archlinux 小记
  11. uoj #2 【NOI2014】起床困难综合症 贪心+位运算
  12. CSS中的几个概念--------Day39
  13. 《从Paxos到Zookeeper:分布式一致性原理与实践》【PDF】下载
  14. Asp.Net配置不允许通过url方式访问目录下的资源
  15. python 简单的server请求
  16. selenium的webdriver三种等待方式(显式等待WebDriverWait+implicitly_wait隐式等待+sleep强制等待)
  17. 弹窗中使用jquery ui的autocomplete自动完成插件无效果 实际是被遮挡了
  18. c++刷题(24/100)正则匹配与位运算
  19. 转载:Google 官方应用架构的最佳实践指南 赞&#128077;
  20. IoC就是IoC,不是什么技术,与GoF一样,是一种 设计模式。

热门文章

  1. 改进Spring中的分页技术
  2. shiro自定义拦截url
  3. 03 Memcached内存分布机制
  4. 嵌入式开发之字符叠加---gb2313 国标码,utf8 国际码,unicode 无码
  5. 四边形不等式优化DP——石子合并问题 学习笔记
  6. commons-dbutils:1.6 ——java.sql.SQLException: 不支持的特性
  7. html 自动跳转,meat(http-equiv)标签详解
  8. Lock和Condition
  9. MAC 脚本批量启动应用
  10. ZOJ - 3537 Cake (凸包+区间DP+最优三角剖分)