반응형
질문
저는 twinx()
를 사용하여 두 개의 y-축이 있는 플롯이 있습니다. 또한 라인에 레이블을 지정하고 legend()
를 사용하여 이를 표시하려고하지만 레전드에서 한 축의 레이블 만 얻을 수 있습니다:
import numpy as np
import matplotlib.pyplot as plt
from matplotlib import rc
rc('mathtext', default='regular')
fig = plt.figure()
ax = fig.add_subplot(111)
ax.plot(time, Swdown, '-', label = 'Swdown')
ax.plot(time, Rn, '-', label = 'Rn')
ax2 = ax.twinx()
ax2.plot(time, temp, '-r', label = 'temp')
ax.legend(loc=0)
ax.grid()
ax.set_xlabel("시간 (h)")
ax.set_ylabel(r"복사량 ($MJ\,m^{-2}\,d^{-1}$)")
ax2.set_ylabel(r"온도 ($^\circ$C)")
ax2.set_ylim(0, 35)
ax.set_ylim(-20,100)
plt.show()
따라서 레전드에서 첫 번째 축의 레이블 만 얻을 수 있으며, 두 번째 축의 'temp' 레이블을 어떻게 추가할 수 있을까요?
답변
두 번째 범례를 추가하려면 다음 줄을 추가하면 됩니다:
ax2.legend(loc=0)
다음과 같은 결과가 나옵니다:
하지만 모든 레이블을 하나의 범례에 표시하려면 다음과 같이 해야 합니다:
import numpy as np
import matplotlib.pyplot as plt
from matplotlib import rc
rc('mathtext', default='regular')
time = np.arange(10)
temp = np.random.random(10)*30
Swdown = np.random.random(10)*100-10
Rn = np.random.random(10)*100-10
fig = plt.figure()
ax = fig.add_subplot(111)
lns1 = ax.plot(time, Swdown, '-', label = 'Swdown')
lns2 = ax.plot(time, Rn, '-', label = 'Rn')
ax2 = ax.twinx()
lns3 = ax2.plot(time, temp, '-r', label = 'temp')
# added these three lines
lns = lns1+lns2+lns3
labs = [l.get_label() for l in lns]
ax.legend(lns, labs, loc=0)
ax.grid()
ax.set_xlabel("Time (h)")
ax.set_ylabel(r"Radiation ($MJ\,m^{-2}\,d^{-1}$)")
ax2.set_ylabel(r"Temperature ($^\circ$C)")
ax2.set_ylim(0, 35)
ax.set_ylim(-20,100)
plt.show()
다음과 같은 결과가 나옵니다:
반응형
댓글