티스토리 뷰
Stack Overflow에 자주 검색, 등록되는 문제들과 제가 개발 중 찾아 본 문제들 중에서 나중에도 찾아 볼 것 같은 문제들을 정리하고 있습니다.
Stack Overflow에서 가장 먼저 확인하게 되는 가장 높은 점수를 받은 Solution과 현 시점에 도움이 될 수 있는 가장 최근에 업데이트(최소 점수 확보)된 Solution을 각각 정리하였습니다.
아래 word cloud를 통해 이번 포스팅의 주요 키워드를 미리 확인하세요.
Convert Python dict into a dataframe
Python dictionary를 dataframe으로 변환하는 방법
문제 내용
I have a Python dictionary like the following:
저는 다음과 같은 Python dictionary를 가지고 있습니다:
{u'2012-06-08': 388,
u'2012-06-09': 388,
u'2012-06-10': 388,
u'2012-06-11': 389,
u'2012-06-12': 389,
u'2012-06-13': 389,
u'2012-06-14': 389,
u'2012-06-15': 389,
u'2012-06-16': 389,
u'2012-06-17': 389,
u'2012-06-18': 390,
u'2012-06-19': 390,
u'2012-06-20': 390,
u'2012-06-21': 390,
u'2012-06-22': 390,
u'2012-06-23': 390,
u'2012-06-24': 390,
u'2012-06-25': 391,
u'2012-06-26': 391,
u'2012-06-27': 391,
u'2012-06-28': 391,
u'2012-06-29': 391,
u'2012-06-30': 391,
u'2012-07-01': 391,
u'2012-07-02': 392,
u'2012-07-03': 392,
u'2012-07-04': 392,
u'2012-07-05': 392,
u'2012-07-06': 392}
The keys are Unicode dates and the values are integers. I would like to convert this into a pandas dataframe by having the dates and their corresponding values as two separate columns. Example: col1: Dates col2: DateValue (the dates are still Unicode and datevalues are still integers)
키는 유니코드로 된 날짜이고 값은 정수입니다. 날짜와 해당 값이 두 개의 별도 열로 표시되는 pandas dataframe으로 이를 변환하고 싶습니다. 예: col1: Dates col2: DateValue (날짜는 여전히 유니코드이고 날짜 값은 여전히 정수입니다)
Date DateValue
0 2012-07-01 391
1 2012-07-02 392
2 2012-07-03 392
. 2012-07-04 392
. ... ...
. ... ...
Any help in this direction would be much appreciated. I am unable to find resources on the pandas docs to help me with this.
이 방향으로의 모든 도움이 크게 감사합니다. pandas 문서에서 이에 대해 도움이 될만한 리소스를 찾지 못했습니다.
I know one solution might be to convert each key-value pair in this dict, into a dict so the entire structure becomes a dict of dicts, and then we can add each row individually to the dataframe. But I want to know if there is an easier way and a more direct way to do this.
이 딕셔너리의 각 키-값 쌍을 딕셔너리로 변환하여 전체 구조가 딕셔너리로 이루어진 딕셔너리가되도록 하고 각 행을 개별적으로 dataframe에 추가하는 것이 하나의 해결책일 수 있습니다. 하지만 더 쉬운 방법이 있을까 궁금합니다.
So far I have tried converting the dict into a series object but this doesn't seem to maintain the relationship between the columns:
지금까지 이 딕셔너리를 series 객체로 변환하려고 시도해 보았지만 이 방법은 열 간의 관계를 유지하지 않는 것 같습니다.
s = Series(my_dict,index=my_dict.keys())
높은 점수를 받은 Solution
The error here, is since calling the DataFrame constructor with scalar values (where it expects values to be a list/dict/... i.e. have multiple columns):
여기서 문제는 스칼라 값으로 DataFrame 생성자를 호출하면 (값이 리스트/딕셔너리/... 즉 여러 열을 가지도록 하는 경우) 다음과 같은 오류가 발생한다는 것입니다.
pd.DataFrame(d)
ValueError: If using all scalar values, you must must pass an index
You could take the items from the dictionary (i.e. the key-value pairs):
딕셔너리에서 항목(즉, 키-값 쌍)을 가져올 수 있습니다.
In [11]: pd.DataFrame(d.items()) # or list(d.items()) in python 3
Out[11]:
0 1
0 2012-07-02 392
1 2012-07-06 392
2 2012-06-29 391
3 2012-06-28 391
...
In [12]: pd.DataFrame(d.items(), columns=['Date', 'DateValue'])
Out[12]:
Date DateValue
0 2012-07-02 392
1 2012-07-06 392
2 2012-06-29 391
But I think it makes more sense to pass the Series constructor:
하지만 Series 생성자를 전달하는 것이 더 합리적이라고 생각합니다.
In [21]: s = pd.Series(d, name='DateValue')
Out[21]:
2012-06-08 388
2012-06-09 388
2012-06-10 388
In [22]: s.index.name = 'Date'
In [23]: s.reset_index()
Out[23]:
Date DateValue
0 2012-06-08 388
1 2012-06-09 388
2 2012-06-10 388
가장 최근 달린 Solution
The simplest way I found is to create an empty dataframe and append the dict. You need to tell panda's not to care about the index, otherwise you'll get the error: TypeError: Can only append a dict if ignore_index=True
가장 간단한 방법은 빈 dataframe을 만들고 dict를 추가하는 것입니다. 인덱스를 신경 쓰지 않도록 pandas에게 말해야하며, 그렇지 않으면 다음과 같은 오류가 발생합니다. TypeError: Can only append a dict if ignore_index=True
import pandas as pd
mydict = {'foo': 'bar'}
df = pd.DataFrame()
df = df.append(mydict, ignore_index=True)
출처 : https://stackoverflow.com/questions/18837262/convert-python-dict-into-a-dataframe
'개발 > 파이썬' 카테고리의 다른 글
순환 참조시 하위 호출 스택에서만 ImportError가 발생하는 이유 (0) | 2023.01.18 |
---|---|
파이썬에서 새로운 딕셔너리 만들기 (0) | 2023.01.18 |
두 개의 딕셔너리 하나로 합치기(동일 키가 있을 경우에는 값을 더해서 합치기) (0) | 2023.01.15 |
imdb.load_data() 호출 시 'Object arrays cannot be loaded when allow_pickle=False' 오류 수정하기 (0) | 2023.01.15 |
'ImportError: no module named win32api' 수정하기 (0) | 2023.01.15 |