11

I have a list

a = [[1,2,3],[4,5,6],[7,8,9]]

Now I want to find the average of these inner list so that

a = [(1+4+7)/3,(2+5+8)/3,(3+6+9)/3]

'a' should not be a nested list in the end. Kindly provide an answer for the generic case

0

3 Answers 3

12
a = [sum(x)/len(x) for x in zip(*a)]
# a is now [4, 5, 6] for your example

In Python 2.x, if you don't want integer division, replace sum(x)/len(x) by 1.0*sum(x)/len(x) above.

Documentation for zip.

Sign up to request clarification or add additional context in comments.

2 Comments

+1 for zip, but couldn't you save yourself the trouble of an extra function? ;)
I figured that the OP didn't know Python too well. Editing anyway :-)
7

If you have numpy installed:

>>> import numpy as np
>>> a = [[1,2,3],[4,5,6],[7,8,9]]
>>> arr = np.array(a)
>>> arr
array([[1, 2, 3],
       [4, 5, 6],
       [7, 8, 9]])
>>> np.mean(arr)
5.0
>>> np.mean(arr,axis=0)
array([ 4.,  5.,  6.])
>>> np.mean(arr,axis=1)
array([ 2.,  5.,  8.])

Comments

6
>>> import itertools
>>> [sum(x)/len(x) for x in itertools.izip(*a)]
[4, 5, 6]

Comments

Start asking to get answers

Find the answer to your question by asking.

Ask question

Explore related questions

See similar questions with these tags.