Python Beginners(6) -- Pandas & DataViz

1.pd.to_datetime

import pandas as pd
unrate = pd.read_csv("unrate.csv")
unrate['DATE'] = pd.to_datetime(unrate['DATE'])
print (unrate.head(12))

2.DataViz Intro

plt.plot
The default plot for plt.plot

import matplotlib.pyplot as plt
plt.plot()
plt.show()

Add x_value and y_value

xvalue = unrate['DATE'].iloc[0:12]
yvalue = unrate['VALUE'].iloc[0:12]
plt.xticks(rotation = 90) # rotate the label
plt.xlabel("Month")  # add x_label
plt.ylabel("Unemployment Rate")  # add y_label
plt.suptitle("Monthly Unemployment Trends, 1948")  # add title
plt.plot(xvalue, yvalue)

Create multiple subplots in a figure

import matplotlib.pyplot as plt
fig = plt.figure(figsize = (12,6))
ax1 = fig.add_subplot(2,1,1) #2rows 1column, row 1st
ax2 = fig.add_subplot(2,1,2) #2rows 1column, row 2nd
x1 = unrate["DATE"].iloc[0:12]
y1 = unrate["VALUE"].iloc[0:12]
x2 = unrate["DATE"].iloc[12:24]
y2 = unrate["VALUE"].iloc[12:24]
ax1.plot(x1, y1)
ax2.plot(x2, y2)
plt.show()

Get year from datetime and plot multiple figures

import matplotlib.pyplot as plt
fig = plt.figure(figsize = (12,12))
xvalue = []
yvalue = []
for i in range(1948, 1953):
    x = unrate['DATE'].loc[unrate['DATE'].dt.year == i]  # get year
    y = unrate['VALUE'].loc[unrate['DATE'].dt.year == i] # get year
    xvalue.append(x)
    yvalue.append(y)
for i in range(0, 5):
    ax = fig.add_subplot(5, 1, i+1)
    ax.plot(xvalue[i], yvalue[i])
plt.show()

Plot several lines in the same figure

unrate['MONTH'] = unrate['DATE'].dt.month
fig = plt.figure(figsize=(6,3))
plt.plot(unrate[0:12]['MONTH'], unrate[0:12]['VALUE'], c='red')
plt.plot(unrate[12:24]['MONTH'], unrate[12:24]['VALUE'], c='blue')
plt.show()

Set range for different index, set legend

fig = plt.figure(figsize=(10,6))
colors = ['red', 'blue', 'green', 'orange', 'black']
for i in range(5):
    start_index = i*12
    end_index = (i+1)*12
    subset = unrate[start_index:end_index]
    label = str(1948 + i)
    plt.plot(subset['MONTH'], subset['VALUE'], c=colors[i], label=label)
plt.legend(loc='upper left')
plt.xlabel("Month, Integer")
plt.ylabel("Unemployment Rate, Percent")
plt.title("Monthly Unemployment Trends, 1948-1952")
plt.show()

Select certain columns from a dataframe

import pandas as pd
reviews = pd.read_csv("fandango_scores.csv")
norm_reviews = reviews[['FILM', 'RT_user_norm', 'Metacritic_user_nom', 'IMDB_norm', 'Fandango_Ratingvalue', 'Fandango_Stars']]
print (norm_reviews[:1]) # get the first row

Draw a bar chart

import matplotlib.pyplot as plt
from numpy import arange
fig, ax = plt.subplots()
num_cols = ['RT_user_norm', 'Metacritic_user_nom', 'IMDB_norm', 'Fandango_Ratingvalue', 'Fandango_Stars']
bar_heights = norm_reviews[num_cols].iloc[0].values
# arange returns to [0, 1, 2, 3, 4] + 0.75 for each of it
bar_positions = arange(5) + 0.75
ax.bar(bar_positions, bar_heights, 0.5)
plt.show()

set_xtick

import matplotlib.pyplot as plt
from numpy import arange
fig, ax = plt.subplots()
num_cols = ['RT_user_norm', 'Metacritic_user_nom', 'IMDB_norm', 'Fandango_Ratingvalue', 'Fandango_Stars']
bar_heights = norm_reviews[num_cols].iloc[0].values
bar_positions = arange(5) + 0.75
ax.bar(bar_positions, bar_heights, 0.5)
tick_positions = range(1,6)
ax.set_xticks(tick_positions)
ax.set_xticklabels(num_cols, rotation = 90)
ax.set_xlabel("Rating Source")
ax.set_ylabel("Average Rating")
ax.set_title("Average User Rating For Avengers: Age of Ultron (2015)")
plt.show()

Set barh chart

import matplotlib.pyplot as plt
from numpy import arange
num_cols = ['RT_user_norm', 'Metacritic_user_nom', 'IMDB_norm', 'Fandango_Ratingvalue', 'Fandango_Stars']
# set fig, ax and draw barh
fig, ax = plt.subplots()
bar_widths = norm_reviews[num_cols].iloc[0].values
bar_positions = arange(5) + 0.75
ax.barh(bar_positions, bar_widths, 0.5)
# set tick_positions
tick_positions = range(1,6)
ax.set_yticks(tick_positions)
ax.set_yticklabels(num_cols)
ax.set_xlabel("Average Rating")
ax.set_ylabel("Rating Source")
ax.set_title("Average User Rating For Avengers: Age of Ultron (2015)")
plt.show()

Set scatter plot

fig, ax = plt.subplots()
ax.scatter(norm_reviews['Fandango_Ratingvalue'], norm_reviews['RT_user_norm'])
ax.set_xlabel("Fandango")
ax.set_ylabel("Rotten Tomatoes")
plt.show()

Frequency Distribution

fr_counts = norm_reviews["Fandango_Ratingvalue"].value_counts()
fandango_distribution = fr_counts.sort_index()

Histogram

fig, ax = plt.subplots()
# here range() sets the range for xaxis
ax.hist(norm_reviews['Fandango_Ratingvalue'], range = (0, 5))
plt.show()

Multiple histogram

fig = plt.figure(figsize=(5,20))
cname = ["Fandango_Ratingvalue", "RT_user_norm", "Metacritic_user_nom", "IMDB_norm"]
ctitle = ["Distributino of Fandango Ratings", "Distribution of Rotten Tomatoes Ratings", "Distribution of Metacritic Ratings", "Distribution of IMDB Ratings"]
for i in range(0, 4):
    ax = fig.add_subplot(4, 1, i+1)
    ax.hist(norm_reviews[cname[0]], bins = 20, range = (0, 5))
    ax.set_ylim(0, 50)
    ax.set_ylabel("Frequency")
    ax.set_title(ctitle[i])
plt.show()

Boxplot

fig, ax = plt.subplots()
ax.boxplot(norm_reviews["RT_user_norm"])
ax.set_ylim(0, 5)
ax.set_xticklabels(["Rotten Tomatoes"]) # it has to be iterable
plt.show()

Several boxplot in one figure

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

推荐阅读更多精彩内容