I want to sum a 2 dimensional array in python:
Here is what I have:
def sum1(input):
sum = 0
for row in range (len(input)-1):
for col in range(len(input[0])-1):
sum = sum + input[row][col]
return sum
print sum1([[1, 2],[3, 4],[5, 6]])
It displays 4
instead of 21
(1+2+3+4+5+6 = 21). Where is my mistake?
asked May 23, 2012 at 3:43
1
I think this is better:
>>> x=[[1, 2],[3, 4],[5, 6]]
>>> sum(sum(x,[]))
21
answered Nov 27, 2012 at 6:07
3
You could rewrite that function as,
def sum1(input):
return sum(map(sum, input))
Basically, map(sum, input)
will return a list with the sums across all your rows, then, the outer most sum
will add up that list.
Example:
>>> a=[[1,2],[3,4]]
>>> sum(map(sum, a))
10
answered May 23, 2012 at 3:58
machowmachow
1,0341 gold badge9 silver badges16 bronze badges
1
This is yet another alternate Solution
In [1]: a=[[1, 2],[3, 4],[5, 6]]
In [2]: sum([sum(i) for i in a])
Out[2]: 21
answered May 14, 2015 at 16:44
AjayAjay
5,2072 gold badges23 silver badges30 bronze badges
0
And numpy solution is just:
import numpy as np
x = np.array([[1, 2],[3, 4],[5, 6]])
Result:
>>> b=np.sum(x)
print(b)
21
answered May 23, 2012 at 3:50
AkavallAkavall
81.7k51 gold badges205 silver badges248 bronze badges
3
Better still, forget the index counters and just iterate over the items themselves:
def sum1(input):
my_sum = 0
for row in input:
my_sum += sum(row)
return my_sum
print sum1([[1, 2],[3, 4],[5, 6]])
One of the nice (and idiomatic) features of Python is letting it do the counting for you. sum()
is a built-in and you should not use names of built-ins for your own identifiers.
answered May 23, 2012 at 3:59
mswmsw
42.6k9 gold badges87 silver badges112 bronze badges
This is the issue
for row in range (len(input)-1):
for col in range(len(input[0])-1):
try
for row in range (len(input)):
for col in range(len(input[0])):
Python’s range(x) goes from 0..x-1 already
range(…)
range([start,] stop[, step]) -> list of integersReturn a list containing an arithmetic progression of integers. range(i, j) returns [i, i+1, i+2, ..., j-1]; start (!) defaults to 0. When step is given, it specifies the increment (or decrement). For example, range(4) returns [0, 1, 2, 3]. The end point is omitted! These are exactly the valid indices for a list of 4 elements.
answered May 23, 2012 at 3:45
dfbdfb
13.1k2 gold badges30 silver badges52 bronze badges
range()
in python excludes the last element. In other words, range(1, 5)
is [1, 5) or [1, 4]. So you should just use len(input)
to iterate over the rows/columns.
def sum1(input):
sum = 0
for row in range (len(input)):
for col in range(len(input[0])):
sum = sum + input[row][col]
return sum
answered May 23, 2012 at 3:45
spinlokspinlok
3,54318 silver badges27 bronze badges
Don’t put -1 in range(len(input)-1) instead use:
range(len(input))
range automatically returns a list one less than the argument value so no need of explicitly giving -1
answered May 23, 2012 at 3:46
Kartik AnandKartik Anand
4,4755 gold badges41 silver badges72 bronze badges
def sum1(input):
return sum([sum(x) for x in input])
answered Sep 13, 2018 at 22:49
J F FitchJ F Fitch
1161 silver badge3 bronze badges
Quick answer, use…
total = sum(map(sum,[array]))
where [array]
is your array title.
answered Apr 1, 2018 at 20:54
1
In Python 3.7
import numpy as np
x = np.array([ [1,2], [3,4] ])
sum(sum(x))
outputs
10
answered Jan 21, 2019 at 14:51
Speed comparison
import random
import timeit
import numpy
x = [[random.random() for i in range(100)] for j in range(100)]
xnp = np.array(x)
Methods
print("Sum python array:")
%timeit sum(map(sum,x))
%timeit sum([sum(i) for i in x])
%timeit sum(sum(x,[]))
%timeit sum([x[i][j] for i in range(100) for j in range(100)])
print("Convert to numpy, then sum:")
%timeit np.sum(np.array(x))
%timeit sum(sum(np.array(x)))
print("Sum numpy array:")
%timeit np.sum(xnp)
%timeit sum(sum(xnp))
Results
Sum python array:
130 µs ± 3.24 µs per loop (mean ± std. dev. of 7 runs, 10000 loops each)
149 µs ± 4.16 µs per loop (mean ± std. dev. of 7 runs, 10000 loops each)
3.05 ms ± 44.8 µs per loop (mean ± std. dev. of 7 runs, 100 loops each)
2.58 ms ± 107 µs per loop (mean ± std. dev. of 7 runs, 100 loops each)
Convert to numpy, then sum:
1.36 ms ± 90.1 µs per loop (mean ± std. dev. of 7 runs, 1000 loops each)
1.63 ms ± 26.1 µs per loop (mean ± std. dev. of 7 runs, 1000 loops each)
Sum numpy array:
24.6 µs ± 1.95 µs per loop (mean ± std. dev. of 7 runs, 10000 loops each)
301 µs ± 4.78 µs per loop (mean ± std. dev. of 7 runs, 1000 loops each)
answered Apr 5, 2022 at 10:13
ErikErik
316 bronze badges
1
It seems like a general consensus is that numpy is a complicated solution. In comparison to simpler algorithms. But for the sake of the answer being present:
import numpy as np
def addarrays(arr):
b = np.sum(arr)
return sum(b)
array_1 = [
[1, 2],
[3, 4],
[5, 6]
]
print(addarrays(array_1))
This appears to be the preferred solution:
x=[[1, 2],[3, 4],[5, 6]]
sum(sum(x,[]))
answered Sep 26, 2019 at 0:14
peyopeyo
3394 silver badges14 bronze badges
def sum1(input):
sum = 0
for row in input:
for col in row:
sum += col
return sum
print(sum1([[1, 2],[3, 4],[5, 6]]))
Sefan
6991 gold badge8 silver badges23 bronze badges
answered Aug 17, 2021 at 7:57
def sum1(input):
sum = 0
for row in range (len(input)-1):
for col in range(len(input[0])-1):
sum = sum + input[row][col]
return sum
print (sum1([[1, 2],[3, 4],[5, 6]]))
You had a problem with parenthesis at the print command….
This solution will be good now
The correct solution in Visual Studio Code
McLovin
5598 silver badges20 bronze badges
answered Aug 8, 2022 at 17:12
1
I think this is what you are trying to do
def sum1(arr):
sum = 0
for i in range(len(arr)):
for j in range(len(arr[0])):
sum += arr[i][j]
return sum
print(sum1([[1, 2], [3, 4], [5, 6]]))
answered Mar 15 at 14:57
1
For many languages such as Java and C++, arrays and lists are different objects. C++ doesn’t even technically have “lists” and Java has a hybrid object called an ArrayList
. While there are arrays in Python, such as numpy
arrays, Python’s most common sequence or series collection is a list
object.
Python list
objects may contain entries of any type from numbers to strings to dictionaries, and may even contain multiple types. I’ll be using “array” and “list” interchangeably in this post because they are used in almost the exact same way in Python. In this post we’re going to cover how to sum a 2D list (or array) of numbers in Python. We’ll cover the following sections:
- What is a 2D Array or List in Python
- How Do You Sum an Array?
- How Do You Sum a 2D List?
- Summary of Summing a 2D Array in Python
What is a 2D Array or List in Python?
In many other languages, such as Java, you’d need to declare a 2D array type before assigning it. In Python, we can just make a list and make each entry in the list another list. A 2D array represents a two-dimensional space. These are sometimes referred to as “nested” lists. In our example, we’ll create a list of three lists, each consisting of two numbers. The below code shows how we can instantiate a simple 2D list in Python.
example_2d = [[1, 2], [3, 4], [5, 6]]
How Do You Sum an Array in Python?
There are multiple ways to sum a list in Python. We can do it iteratively, we can break the list down, or we can use the built-in sum()
method. In this post, we’re going to sum a list the simplest way, by using the sum()
method. In the example below we create a one-dimensional list of three numbers and then sum them.
example_1d =[1, 2, 3]
print(sum(example_1d))
This should output 6.
How Do You Sum a 2D List in Python?
Summing a 2D list
or array object in Python is much more difficult. You can’t call the sum()
function on a 2D array. If you try, you will get a TypeError
of unsupported operand type(s) for +: 'int' and 'list'
. So, how can we sum a 2D array in Python? I’ll go over three examples here, first an iterative example, and then two Pythonic one liners.
Sum the 2D List with a For Loop
Summing a 2D array with a for
loop is the most straightforward approach, especially for people new to Python. This is also the most intuitive approach for people coming from other programming languages. We start off with a sum of 0, notice that I named this variable _sum
because the word sum
is the name of the function. Then, we loop through each entry in the 2D list and add the sum()
of that entry to our _sum
variable. Finally, we print out our _sum
variable to make sure that we got it.
_sum=0
for x in example_2d:
_sum += sum(x)
print(_sum)
This should print 21.
Pythonically Sum The 2D Array in One Line
Now let’s take a look at the first “Pythonic” way of summing a 2D array. We can do this in one line. The most “inner” function of our line will use list comprehension and create a list from the sums of each entry in the 2D list
. Then, we’ll call sum()
on that and print it out.
The inner list should be [3, 7, 11]
. The printed answer should once again be 21.
print(sum([sum(x) for x in example_2d]))
Pythonically Sum the 2D List in One Line (More Obscure)
Finally, let’s take a look at another Pythonic way to sum a 2D array. We can take advantage of the sum()
function’s optional second parameter. Usually, sum()
expects to be summing numbers, so if you just call sum()
on a 2D list
, you’ll get a TypeError
as we saw earlier. However, the optional second start
parameter allows us to bypass this. If we pass an empty list
object, it will expect the individual entries of the 2D array to be list
objects like they are. This allows us to then call sum()
again on the list and sum a 1D array.
The output of sum(example_2d, [])
is [1, 2, 3, 4, 5, 6]
just as if we added the lists together. The print statement prints 21.
print(sum(sum(example_2d, [])))
Summary of How to Sum a 2D List or Array
In this post we went over what a 2D list is and how you can sum arrays in Python. We also went over three separate methods to sum 2D lists. First, we went over an iterative method using for loops. Then, we went over a classic Pythonic method. Finally, we went over a more obscure approach using the optional start
parameter of the sum()
function.
I run this site to help you and others like you find cool projects and practice software skills. If this is helpful for you and you enjoy your ad free site, please help fund this site by donating below! If you can’t donate right now, please think of us next time.
Make a one-time donation
Your contribution is appreciated.
Donate
Make a monthly donation
Your contribution is appreciated.
Donate monthly
Make a yearly donation
Your contribution is appreciated.
Donate yearly
На уроке рассматриваются алгоритмы работы с двумерными массивами в Python: создание матрицы, инициализация элементов, вывод, обработка элементов матрицы
Создание, вывод и ввод матрицы в Питоне
- Таким образом, получается структура из вложенных списков, количество которых определяет количество строк матрицы, а число элементов внутри каждого вложенного списка указывает на количество столбцов в исходной матрице.
- Вывод матрицы можно осуществить одним оператором, но такой простой способ не позволяет выполнять какой-то предварительной обработки элементов:
Для работы с матрицами в Python также используются списки. Каждый элемент списка-матрицы содержит вложенный список.
Рассмотрим пример матрицы размера 4 х 3:
matrix = [[-1, 0, 1], [-1, 0, 1], [0, 1, -1], [1, 1, -1]]
Данный оператор можно записать в одну строку:
matrix = [[-1, 0, 1], [-1, 0, 1], [0, 1, -1], [1, 1, -1]]
Результат:
- способ:
- способ:
1 2 3 4 5 |
def printMatrix ( matrix ): for i in range ( len(matrix) ): for j in range ( len(matrix[i]) ): print ( "{:4d}".format(matrix[i][j]), end = "" ) print () |
В примере i – это номер строки, а j – номер столбца;
len(matrix) – число строк в матрице.
1 2 3 4 5 |
def printMatrix ( matrix ): for row in matrix: for x in row: print ( "{:4d}".format(x), end = "" ) print () |
Внешний цикл проходит по строкам матрицы (row), а внутренний цикл проходит по элементам каждой строки (x).
1 2 3 4 |
from random import randint n, m = 3, 3 a = [[randint(1, 10) for j in range(m)] for i in range(n)] print(a) |
Обработка элементов двумерного массива
Нумерация элементов двумерного массива, как и элементов одномерного массива, начинается с нуля.
Т.е. matrix[2][3]
— это элемент третьей строки четвертого столбца.
Пример обработки элементов матрицы:
Найти произведение элементов двумерного массива.
✍ Решение:
1 2 3 4 5 |
p = 1 for i in range(N): for j in range(M): p *= matrix[i][j] print (p) |
Пример:
Найти сумму элементов двумерного массива.
✍ Решение:
Более подходящий вариант для Python:
1 2 3 4 |
s = 0 for row in matrix: s += sum(row) print (s) |
Для поиска суммы существует стандартная функция sum.
Задание Python 8_0:
Получены значения температуры воздуха за 4 дня с трех метеостанций, расположенных в разных регионах страны:
Номер станции | 1-й день | 2-й день | 3-й день | 4-й день |
---|---|---|---|---|
1 | -8 | -14 | -19 | -18 |
2 | 25 | 28 | 26 | 20 |
3 | 11 | 18 | 20 | 25 |
Т.е. запись показаний в двумерном массиве выглядела бы так:
t[0][0]=-8 | t[0][1]=-14 | t[0][2]=-19 | t[0][3]=-18 |
t[1][0]=25 | t[1][1]=28 | t[1][2]=26 | t[1][3]=20 |
t[2][0]=11 | t[2][1]=18 | t[2][2]=20 | t[2][3]=25 |
- Распечатать температуру на 2-й метеостанции за 4-й день и на 3-й метеостанции за 1-й день.
- Распечатать показания термометров всех метеостанций за 2-й день.
- Определить среднюю температуру на 3-й метеостанции.
- Распечатать, в какие дни и на каких метеостанциях температура была в диапазоне 24-26 градусов тепла.
Задание Python 8_1:
Написать программу поиска минимального и максимального элементов матрицы и их индексов.
Задание Python 8_2:
Написать программу, выводящую на экран строку матрицы, сумма элементов которой максимальна.
for i in range(N): # работаем с matrix[i][i]
for i in range(N): # работаем с matrix[i][N-1-i]
Пример:Переставить 2-й и 4-й столбцы матрицы. Использовать два способа.
✍ Решение:
for i in range(N): c = A[i][2] A[i][2] = A[i][4] A[i][4] = c
for i in range(N): A[i][2], A[i][4] = A[i][4], A[i][2]
Задание Python 8_3:
Составить программу, позволяющую с помощью датчика случайных чисел сформировать матрицу размерностью N. Определить:
Improve Article
Save Article
Like Article
Improve Article
Save Article
Like Article
Given a 2-D matrix, we need to find sum of all elements present in matrix ? Examples:
Input : arr = [[1, 2, 3], [4, 5, 6], [2, 1, 2]] Output : Sum = 26
This problem can be solved easily using two for loops by iterating whole matrix but we can solve this problem quickly in python using map() function.
Python3
def
findSum(arr):
return
sum
(
map
(
sum
,arr))
if
__name__
=
=
"__main__"
:
arr
=
[[
1
,
2
,
3
], [
4
,
5
,
6
], [
2
,
1
,
2
]]
print
(
"Sum = "
,findSum(arr))
What does map() do?
The map() function applies a given function to each item of an iterable(list, tuple etc.) and returns a list of the results. For example see given below example :
Python3
def
calculateSquare(n):
return
n
*
n
numbers
=
[
1
,
2
,
3
,
4
]
result
=
map
(calculateSquare, numbers)
print
(result)
set_result
=
list
(result)
print
(set_result)
Output
<map object at 0x7fdf95d2a6d8> [1, 4, 9, 16]
This article is contributed by Shashank Mishra (Gullu). If you like GeeksforGeeks and would like to contribute, you can also write an article using write.geeksforgeeks.org or mail your article to review-team@geeksforgeeks.org. See your article appearing on the GeeksforGeeks main page and help other Geeks.
Last Updated :
21 Jul, 2022
Like Article
Save Article
Массив — это набор линейных структур данных, которые содержат все элементы одного типа данных в непрерывном пространстве памяти. Это похоже на контейнер, содержащий определенное количество элементов с одинаковым типом данных. Индекс массива начинается с 0, и поэтому программист может легко получить положение каждого элемента и выполнить различные операции с массивом. В этом разделе мы узнаем о 2D (двумерных) массивах в Python.
Двумерный массив (2D-массив)
2D-массив — это массив из массивов, который может быть представлен в матричной форме, такой как строки и столбцы. В этом массиве положение элементов данных определяется двумя индексами вместо одного индекса.
Синтаксис:
Array_name = [rows] [columns] # объявление 2D-массива Arr-name = [[m1, m2, m3,…. mn], [n1, n2, n3,… .. nn]]
Где m — строка, а n — столбец таблицы.
Доступ к двумерному массиву
В Python мы можем получить доступ к элементам двумерного массива с помощью двух индексов. Первый индекс относится к индексации списка, а второй индекс относится к положению элементов. Если мы определяем только один индекс с именем массива, он возвращает все элементы 2-мерного массива, хранящиеся в массиве.
Давайте создадим простую программу для понимания 2D (двумерных) массивов на Python.
2dSimple.py
Student_dt = [ [72, 85, 87, 90, 69], [80, 87, 65, 89, 85], [96, 91, 70, 78, 97], [90, 93, 91, 90, 94], [57, 89, 82, 69, 60] ] #print(student_dt[]) print(Student_dt[1]) # print all elements of index 1 print(Student_dt[0]) # print all elements of index 0 print(Student_dt[2]) # print all elements of index 2 print(Student_dt[3][4]) # it defines the 3rd index and 4 position of the data element.
Выход:
В приведенном выше примере мы передали 1, 0 и 2 в качестве параметров в 2D-массив, который печатает всю строку определенного индекса. И мы также передали student_dt [3] [4], который представляет 3-й индекс и 4-ю позицию двумерного массива элементов для печати конкретного элемента.
Перемещение элемента в 2D-массиве
Program.py
# write a program to traverse every element of the two-dimensional array in Python. Student_dt = [ [72, 85, 87, 90, 69], [80, 87, 65, 89, 85], [96, 91, 70, 78, 97], [90, 93, 91, 90, 94], [57, 89, 82, 69, 60] ] # Use for loop to print the entire elements of the two dimensional array. for x in Student_dt: # outer loop for i in x: # inner loop print(i, end = " ") # print the elements print()
Выход:
Вставка элементов в двумерный массив
Мы можем вставлять элементы в двумерный массив, используя функцию insert(), которая указывает номер индекса элемента и местоположение для вставки.
Insert.py
# Write a program to insert the element into the 2D(two dimensional) array of Python. from array import * # import all package related to the array. arr1 = [[1, 2, 3, 4], [8, 9, 10, 12]] # initialize the array elements. print("Before inserting the array elements: ") print(arr1) # print the arr1 elements. # Use the insert() function to insert the element that contains two parameters. arr1.insert(1, [5, 6, 7, 8]) # first parameter defines the index no., and second parameter defines the elements print("After inserting the array elements ") for i in arr1: # Outer loop for j in i: # inner loop print(j, end = " ") # print inserted elements. print()
Выход:
Обновление элементов в массиве
В 2D-массиве существующее значение массива может быть обновлено новым значением. В этом методе мы можем изменить конкретное значение, а также весь индекс массива.
Создадим программу для обновления существующего значения 2D-массива в Python.
Update.py
from array import * # import all package related to the array. arr1 = [[1, 2, 3, 4], [8, 9, 10, 12]] # initialize the array elements. print("Before inserting the array elements: ") print(arr1) # print the arr1 elements. arr1[0] = [2, 2, 3, 3] # update the value of the index 0 arr1[1][2] = 99 # define the index [1] and position [2] of the array element to update the value. print("After inserting the array elements ") for i in arr1: # Outer loop for j in i: # inner loop print(j, end = " ") # print inserted elements. print()
Выход:
Удаление значения из 2D-массива в Python
В двумерном массиве мы можем удалить конкретный элемент или весь индекс массива с помощью функции del() в Python. Давайте разберемся с примером удаления элемента.
Delete.py
from array import * # import all package related to the array. arr1 = [[1, 2, 3, 4], [8, 9, 10, 12]] # initialize the array elements. print("Before Deleting the array elements: ") print(arr1) # print the arr1 elements. del(arr1[0][2]) # delete the particular element of the array. del(arr1[1]) # delete the index 1 of the 2-D array. print("After Deleting the array elements ") for i in arr1: # Outer loop for j in i: # inner loop print(j, end = " ") # print inserted elements. print()
Выход:
Размер двумерного массива
Функция len() используется для получения длины двумерного массива. Другими словами, мы можем сказать, что функция len() определяет общий индекс, доступный в двумерных массивах.
Давайте разберемся с функцией len(), чтобы получить размер двумерного массива в Python.
Size.py
array_size = [[1, 3, 2],[2,5,7,9], [2,4,5,6]] # It has 3 index print("The size of two dimensional array is : ") print(len(array_size)) # it returns 3 array_def = [[1, 3, 2], [2, 4, 5, 6]] # It has 2 index print("The size of two dimensional array is : ") print(len(array_def)) # it returns 2
Выход:
Напишем программу для вывода суммы двумерных массивов на Python.
Matrix.py
def two_d_matrix(m, n): # define the function Outp = [] # initially output matrix is empty for i in range(m): # iterate to the end of rows row = [] for j in range(n): # j iterate to the end of column num = int(input(f "Enter the matrix [{0}][{j}]")) row.append(num) # add the user element to the end of the row Outp.append(row) # append the row to the output matrix return Outp def sum(A, B): # define sum() function to add the matrix. output = [] # initially, it is empty. print("Sum of the matrix is :") for i in range(len(A)): # no. of rows row = [] for j in range(len(A[0])): # no. of columns row.append(A[i][j] + B[i][j]) # add matrix A and B output.append(row) return output # return the sum of both matrix m = int(input("Enter the value of m or Rown")) # take the rows n = int(input("Enter the value of n or columnsn")) # take the columns print("Enter the First matrix ") # print the first matrix A = two_d_matrix(m, n) # call the matrix function print("display the first(A) matrix") print(A) # print the matrix print("Enter the Second(B) matrix ") B = two_d_matrix(m, n) # call the matrix function print("display the Second(B) matrix") print(B) # print the B matrix s= sum(A, B) # call the sum function print(s) # print the sum of A and B matrix.
Выход:
1090-23cookie-checkДвумерный массив в Python — основы работы