theantomc
theantomc

Reputation: 649

Create a dataframe from arrays python

I'm try to construct a dataframe (I'm using Pandas library) from some arrays and one matrix.

in particular, if I have two array like this:

A=[A,B,C]
B=[D,E,F]

And one matrix like this :

1 2 2
3 3 3
4 4 4

Can i create a dataset like this?

  A B C
D 1 2 2
E 3 3 3
F 4 4 4

Maybe is a stupid question, but i m very new with Python and Pandas.

I seen this :

https://pandas.pydata.org/pandas-docs/version/0.23.4/generated/pandas.DataFrame.html

but specify only 'colums'.

I should read the matrix row for row and paste in my dataset, but I m think that exist a more easy solution with Pandas.

Upvotes: 19

Views: 47588

Answers (3)

gorjan
gorjan

Reputation: 5555

This should do the trick for you.

columns = ["A", "B", "C"]
rows = ["D", "E", "F"]
data = np.array([[1, 2, 2], [3, 3, 3],[4, 4, 4]])
df = pd.DataFrame(data=data, index=rows, columns=columns)

Upvotes: 26

xudesheng
xudesheng

Reputation: 1102

is this what you need?

import pandas as pd
A=['A','B','C']
B=['D','E','F']
C=[[1,2,2],[3,3,3],[4,4,4]]

df=pd.DataFrame(C, columns=A)
df.index=B
df.head()

    A   B   C
D   1   2   2
E   3   3   3
F   4   4   4

Upvotes: 4

Rodwan Bakkar
Rodwan Bakkar

Reputation: 484

You can do like this:

a=[[1, 2, 2],[1, 2, 2],[1, 2, 2]]
df=pd.DataFrame(a)
df.columns = ['a', 'b', 'c']
df.index = ['d', 'e', 'f']
print(df)

Upvotes: 3

Related Questions