问题描述:
散点图绘制,输入的x轴的值与图中的x轴的值顺序不同,默认会将输入的x轴的值先排序,再将xy对应画图,但实际期望按y的值排序画图。
解决:
用xticks
修改x坐标值,需要注意,画散点图输入的x值先自定义,再替换。
代码:
import matplotlib.pyplot as plt
x_lst = ['10_abc', '9_ac', '12_ced', '12_cc', '20_de', '19_ab']
y_lst = [100, 80, 70, 50, 30, 10]
# 一开始绘图:发现和输入的x轴信息顺不一致(图1)
fig, ax = plt.subplots()
ax.scatter(x_lst, y_lst, alpha=0.5)
plt.xticks(rotation=90)
plt.show()
# 尝试调整x坐标显示:强行设定坐标,x轴的值和实际y轴不对应啦!!!(图2)
fig, ax = plt.subplots()
ax.scatter(x_lst, y_lst, alpha=0.5)
plt.xticks(range(len(x_lst)), x_lst, rotation=90) # 不能强行设置,需要注意x和y的对应关系!
plt.show()
# 和预想的一致:(图3)
fig, ax = plt.subplots()
ax.scatter(range(len(x_lst)), y_lst, alpha=0.5) # 先设定默认值
plt.xticks(range(len(x_lst)), x_lst, rotation=90) # 再将默认值替换为xy对应的坐标值
plt.show()
import matplotlib.pyplot as plt
x_lst = ['10_abc', '9_ac', '12_ced', '12_cc', '20_de',
'19_ab', '5_d', '6_e', '8_s', 'abcd',
]
y_lst = [100, 80, 70, 50, 30,
10, 10, 8, 7, 6,
]
# 加点颜色: (图4)
# C{i}: i取[0, 9), 只有10个值,超过则获取不到默认颜色
# https://matplotlib.org/2.0.2/users/colors.html
fig, ax = plt.subplots()
ax.scatter(range(len(x_lst)), y_lst, alpha=1, c=['C{}'.format(i) for i in range(len(x_lst))]) # 先设定默认值
plt.xticks(range(len(x_lst)), x_lst, rotation=90) # 再将默认值替换为xy对应的坐标值
plt.show()