반응형
그리드 간격 변경 및 Matplotlib에서 눈금 레이블 지정
그리드 플롯에서 카운트를 플로팅하려고하는데 어떻게 처리하는지 파악할 수 없습니다. 나는 원한다 :
5 간격으로 점선 그리드가 있습니다.
매 20마다 주요 눈금 레이블을 갖습니다.
진드기가 플롯 밖에 있기를 바랍니다.
그 그리드 안에 "카운트"가 있습니다.
here 및 here 과 같은 잠재적 중복 항목을 확인 했지만 알아낼 수 없었습니다.
이것은 내 코드입니다.
import matplotlib.pyplot as plt
from matplotlib.ticker import MultipleLocator, FormatStrFormatter
for key, value in sorted(data.items()):
x = value[0][2]
y = value[0][3]
count = value[0][4]
fig = plt.figure()
ax = fig.add_subplot(111)
ax.annotate(count, xy = (x, y), size = 5)
# Overwrites and I only get the last data point
plt.close()
# Without this, I get "fail to allocate bitmap" error
plt.suptitle('Number of counts', fontsize = 12)
ax.set_xlabel('x')
ax.set_ylabel('y')
plt.axes().set_aspect('equal')
plt.axis([0, 1000, 0, 1000])
# This gives an interval of 200
majorLocator = MultipleLocator(20)
majorFormatter = FormatStrFormatter('%d')
minorLocator = MultipleLocator(5)
# I want minor grid to be 5 and major grid to be 20
plt.grid()
filename = 'C:\Users\Owl\Desktop\Plot.png'
plt.savefig(filename, dpi = 150)
plt.close()
이것이 내가 얻는 것입니다.
또한 데이터 포인트를 덮어 쓰는 데 문제가 있습니다. 또한 문제가 있습니다. 누구든지이 문제를 해결하도록 도와 줄 수 있습니까?
코드에 몇 가지 문제가 있습니다.
먼저 큰 것 :
새 그림과 루프 → 풋의 모든 반복에 새로운 축 작성
fig = plt.figure
및ax = fig.add_subplot(1,1,1)
루프의 외부.로케이터를 사용하지 마십시오. 함수를 호출
ax.set_xticks()
하고ax.grid()
올바른 키워드.plt.axes()
당신 과 함께 새로운 축을 다시 만들고 있습니다. 사용ax.set_aspect('equal')
.
사소한 것 : MATLAB과 유사한 구문을 plt.axis()
목적 구문과 혼합해서는 안됩니다 . 사용 ax.set_xlim(a,b)
및ax.set_ylim(a,b)
이것은 작동하는 최소한의 예 여야합니다.
import numpy as np
import matplotlib.pyplot as plt
fig = plt.figure()
ax = fig.add_subplot(1, 1, 1)
# Major ticks every 20, minor ticks every 5
major_ticks = np.arange(0, 101, 20)
minor_ticks = np.arange(0, 101, 5)
ax.set_xticks(major_ticks)
ax.set_xticks(minor_ticks, minor=True)
ax.set_yticks(major_ticks)
ax.set_yticks(minor_ticks, minor=True)
# And a corresponding grid
ax.grid(which='both')
# Or if you want different settings for the grids:
ax.grid(which='minor', alpha=0.2)
ax.grid(which='major', alpha=0.5)
plt.show()
출력은 다음과 같습니다.
틱을 명시 적으로 설정하지 않고 대신 케이던스를 설정하는 MaxNoe의 대답에 대한 미묘한 대안 입니다.
import matplotlib.pyplot as plt
from matplotlib.ticker import (AutoMinorLocator, MultipleLocator)
fig, ax = plt.subplots(figsize=(10, 8))
# Set axis ranges; by default this will put major ticks every 25.
ax.set_xlim(0, 200)
ax.set_ylim(0, 200)
# Change major ticks to show every 20.
ax.xaxis.set_major_locator(MultipleLocator(20))
ax.yaxis.set_major_locator(MultipleLocator(20))
# Change minor ticks to show every 5. (20/4 = 5)
ax.xaxis.set_minor_locator(AutoMinorLocator(4))
ax.yaxis.set_minor_locator(AutoMinorLocator(4))
# Turn grid on for both major and minor ticks and style minor slightly
# differently.
ax.grid(which='major', color='#CCCCCC', linestyle='--')
ax.grid(which='minor', color='#CCCCCC', linestyle=':')
반응형
'developer tip' 카테고리의 다른 글
Android에서 사용자 지정 단추가있는 사용자 지정 작업 모음을 구현하려면 어떻게해야합니까? (0) | 2020.12.03 |
---|---|
배포 인증서에 개인 키를 추가하려면 어떻게해야합니까? (0) | 2020.12.03 |
Windows.Web.Http.HttpClient 클래스를 사용한 PATCH 비동기 요청 (0) | 2020.12.03 |
Realm 모델의 속성으로 열거 형 사용 (0) | 2020.12.03 |
React Native의 setTimeout (0) | 2020.12.03 |