Just Do IT

01. Pandas 기초 - Series 본문

데이터사이언스-코딩/Pandas

01. Pandas 기초 - Series

풀용 2022. 1. 27. 20:56

본 포스팅은 유튜브 나도코딩님의 판다스 강의를 정리하여 만들었습니다.
https://www.youtube.com/watch?v=PjhlUzp_cU0

1. Series 객체 생성

Pandas의 Series는 1차원의 데이터를 다루는데 List와는 다르게 Index를 부여할 수 있다.
판다스의 series는 pd.Series()함수를 이용하여 간단하게 생성 할수 있다.

# 1월부터 4월까지 평균 온도 데이터가 [-20,-10,10,20]일 경우
temp = pd.Series([-20,-10,10,20])
  • 출력 결과
0   -20
1   -10
2    10
3    20
dtype: int64

Series의 Index를 통해 데이터에 접근할 수 있다.

print(temp[0])
print(temp[2])
  • 출력 결과
-20
10

2. Index를 지정하여 Series 객체 생성

pd.Series 함수의 파라미터로 index정보를 넣으면 위에서 0,1,2,3 이였던 index를 변경 할 수 있다.

temp = pd.Series([-20,-10,10,20], index = ['Jan','Feb','Mar','Apr'])
print(temp)
  • 출력 결과
Jan   -20
Feb   -10
Mar    10
Apr    20
dtype: int64

당연히 index를 통해 데이터에 접근할 수 있다.

temp['Jan']
  • 출력 결과
-20
Comments