Computer >> 컴퓨터 >  >> 프로그램 작성 >> Python

주어진 두 시리즈를 결합하고 데이터 프레임으로 변환하는 Python 코드 작성

<시간/>

두 개의 시리즈가 있고 두 시리즈를 다음과 같이 데이터 프레임으로 결합한 결과가 있다고 가정합니다.

 Id Age
0 1 12
1 2 13
2 3 12
3 4 14
4 5 15

이를 해결하기 위해 세 가지 접근 방식을 사용할 수 있습니다.

해결책 1

  • 두 시리즈를 시리즈1 및 시리즈2로 정의

  • 첫 번째 시리즈를 데이터 프레임에 할당합니다. df로 저장

df = pd.DataFrame(series1)
  • 데이터 프레임에 열 df['Age']를 만들고 내부의 두 번째 계열을 df에 할당합니다.

df['Age'] = pd.DataFrame(series2)

더 나은 이해를 위해 다음 코드를 확인합시다 -

import pandas as pd
series1 = pd.Series([1,2,3,4,5],name='Id')
series2 = pd.Series([12,13,12,14,15],name='Age')
df = pd.DataFrame(series1)
df['Age'] = pd.DataFrame(series2)
print(df)

출력

 Id Age
0 1 12
1 2 13
2 3 12
3 4 14
4 5 15

해결책 2

  • 두 시리즈 정의

  • 두 시리즈 안에 pandas concat 함수를 적용하고 축을 1로 설정합니다. 아래에 정의되어 있습니다.

pd.concat([series1,series2],axis=1)

더 나은 이해를 위해 다음 코드를 확인합시다 -

import pandas as pd
series1 = pd.Series([1,2,3,4,5],name='Id')
series2 = pd.Series([12,13,12,14,15],name='Age')
df = pd.concat([series1,series2],axis=1)
print(df)

출력

 Id Age
0 1 12
1 2 13
2 3 12
3 4 14
4 5 15

해결책 3

  • 두 시리즈 정의

  • 첫 번째 시리즈를 데이터 프레임에 할당합니다. df로 저장

df = pd.DataFrame(series1)
  • series2 내부에 pandas 조인 기능을 적용합니다. 아래에 정의되어 있습니다.

df = df.join(series2)
pd.concat([series1,series2],axis=1)

더 나은 이해를 위해 다음 코드를 확인합시다 -

import pandas as pd
series1 = pd.Series([1,2,3,4,5],name='Id')
series2 = pd.Series([12,13,12,14,15],name='Age')
df = pd.DataFrame(series1)
df = df.join(series2)
print(df)

출력

 Id Age
0 1 12
1 2 13
2 3 12
3 4 14
4 5 15