Как найти произведение всех чисел в списке

Я приведу не очень практичное, но красивое решение в одну строку. Оно не использует eval, побочные эффекты при работе со списком или именованные функции.

Если именованные функции разрешены, то решение может выглядеть так:

def p(a):
    if a:
        return a[0] * p(a[1:])
    return 1

print(p([1, 2, 3, 4, 5]))

Нам оно не подходит, так именованная функция требует минимум две строки для определения и вызова. Лямбду можно определить и вызвать в одной строке, но есть трудность в создании рекурсивной лямбды. Синтаксис Python разрешает такой трюк:

p = (lambda a: a[0] * p(a[1:]) if a else 1); print(p([1, 2, 3, 4, 5]))

Это именно трюк с глобальной переменной и двумя операторами в одной строке. А можно обойтись без глобальной переменной вообще. На первый взгляд этого не может быть так как имя нужно чтобы сделать рекурсивный вызов. Но функцию можно передать как аргумент в саму себя:

p = lambda f, a: a[0] * f(f, a[1:]) if a else 1
print(p(p, [1, 2, 3, 4, 5]))

Кажется мы ничего не выиграли: всё равно два оператора и глобальная переменная p. Однако сделан очень важный шаг – тело лямбды не использует глобальные переменные. Глобальная переменная используется в операторе print. Избавимся от неё:

p = lambda f, a: a[0] * f(f, a[1:]) if a else 1
y = lambda f, a: f(f, a)
print(y(p, [1, 2, 3, 4, 5]))

Стало только хуже: три строки и две глобальные переменные. Зато каждая глобальная переменная задействована только один раз. Делаем подстановку:

print((lambda f, a: f(f, a))(lambda f, a: a[0] * f(f, a[1:]) if a else 1, [1, 2, 3, 4, 5]))

Читается тяжело, но задача решена в одну строку без глобальных имён и волшебных вызовов eval.

P.S. Читайте Fixed-point combinator чтобы узнать откуда пошло это решение.

P.P.S. Красивое утверждение: программу любой сложности можно записать в функциональном стиле не определив ни одной глобальной переменной, включая имена функций.

P.P.P.S. Не пытайтесь повторить это дома.

Given a list, print the value obtained after multiplying all numbers in a list. 

Examples: 

Input :  list1 = [1, 2, 3] 
Output :
Explanation: 1*2*3=6 

Input : list1 = [3, 2, 4] 
Output : 24 

Method 1: Traversal

Initialize the value of the product to 1(not 0 as 0 multiplied with anything returns zero). Traverse till the end of the list, multiply every number with the product. The value stored in the product at the end will give you your final answer.

Below is the Python implementation of the above approach:  

Python

def multiplyList(myList):

    result = 1

    for x in myList:

        result = result * x

    return result

list1 = [1, 2, 3]

list2 = [3, 2, 4]

print(multiplyList(list1))

print(multiplyList(list2))

Time complexity: O(n), where n is the number of elements in the list.
Auxiliary space: O(1),

Method 2: Using numpy.prod()

We can use numpy.prod() from import numpy to get the multiplication of all the numbers in the list. It returns an integer or a float value depending on the multiplication result.

Below is the Python3 implementation of the above approach:  

Python3

import numpy

list1 = [1, 2, 3]

list2 = [3, 2, 4]

result1 = numpy.prod(list1)

result2 = numpy.prod(list2)

print(result1)

print(result2)

Output: 
 

6
24 

Time complexity: O(n), where n is the length of the input lists. 
Auxiliary space: O(1). 

Method 3 Using lambda function: Using numpy.array

Lambda’s definition does not include a “return” statement, it always contains an expression that is returned. We can also put a lambda definition anywhere a function is expected, and we don’t have to assign it to a variable at all. This is the simplicity of lambda functions. The reduce() function in Python takes in a function and a list as an argument. The function is called with a lambda function and a list and a new reduced result is returned. This performs a repetitive operation over the pairs of the list.

Below is the Python3 implementation of the above approach:  

Python3

from functools import reduce

list1 = [1, 2, 3]

list2 = [3, 2, 4]

result1 = reduce((lambda x, y: x * y), list1)

result2 = reduce((lambda x, y: x * y), list2)

print(result1)

print(result2)

Time complexity: O(n) – where n is the length of the longer list.
Auxiliary space: O(1) – the memory used is constant, as no extra data structures are create.

Method 4 Using prod function of math library: Using math.prod

Starting Python 3.8, a prod function has been included in the math module in the standard library, thus no need to install external libraries.

Below is the Python3 implementation of the above approach:  

Python3

import math

list1 = [1, 2, 3]

list2 = [3, 2, 4]

result1 = math.prod(list1)

result2 = math.prod(list2)

print(result1)

print(result2)

Output: 
 

6
24 

Time complexity: O(n), where n is the length of the input list. 
Auxiliary space: O(1), as the program only uses a fixed amount of memory to store the input lists and the output variables.

Method 5: Using mul() function of operator module. 

First we have to import the operator module then using the mul() function of operator module multiplying the all values in the list. 

Python3

from operator import*

list1 = [1, 2, 3]

m = 1

for i in list1:

    m = mul(i, m)

print(m)

Time complexity:

The program contains a single for loop that iterates through each element in the input list. Therefore, the time complexity of the program is O(n), where n is the length of the input list.
 

Auxiliary space:

The program uses a constant amount of auxiliary space throughout its execution. Specifically, it only creates four variables: list1, m, i, and the imported mul function from the operator module. The space required to store these variables does not depend on the size of the input list, and therefore the auxiliary space complexity of the program is O(1), which is constant.
 

Method 6: Using traversal by index

Python3

def multiplyList(myList) :

    result = 1

    for i in range(0,len(myList)):

        result = result * myList[i]

    return result

list1 = [1, 2, 3]

list2 = [3, 2, 4]

print(multiplyList(list1))

print(multiplyList(list2))

Time complexity: O(n), where n is the length of the input list. 

Auxiliary space: O(1), as the program uses a single variable to store the result and does not use any additional data structure. 

Method 7: Using itertools.accumulate

Python

from itertools import accumulate

list1 = [1, 2, 3]

list2 = [3, 2, 4]

result1 = list(accumulate(list1, (lambda x, y: x * y)))

result2 = list(accumulate(list2, (lambda x, y: x * y)))

print(result1[-1])

print(result2[-1])

Output:

6
24

The time complexity is O(n), where n is the length of the input list.

The auxiliary space is also O(n) 

Method 8: Using the recursive function 

The function product_recursive() takes a list of numbers as input and returns the product of all the numbers in the list, using a recursive approach.

The steps for this function are:

  1. Check if the list is empty. If it is, return 1 (the product of an empty list is defined as 1).
  2. If the list is not empty, recursively call the product_recursive() function on the rest of the list (i.e., all the elements except for the first one) and multiply the result by the first element of the list.
  3. Return the product obtained from step 2.
     

Python3

def product_recursive(numbers):

    if not numbers:

        return 1

    return numbers[0] * product_recursive(numbers[1:])

list1 = [1, 2, 3]

product = product_recursive(list1)

print(product) 

list2 = [3, 2, 4]

product = product_recursive(list2)

print(product) 

The time complexity of this function is O(n), where n is the number of elements in the list. This is because the function needs to perform n recursive calls, one for each element in the list. 
The space complexity is also O(n) because the function creates n recursive calls on the call stack. This means that for large lists, the function can quickly use up a lot of memory, which can cause the program to crash or slow down significantly.

Method: Using  reduce() and the mul() function’s

One approach to solve this problem is to use the built-in reduce() function from the functools module, which can apply a function to an iterable in a cumulative way. We can use the operator.mul() function to multiply the elements together.

Here are the steps and code:

  1. Import the reduce() function and mul() function from the functools and operator modules, respectively.
  2. Define the input list.
  3. Apply the reduce() function to the list, using mul() as the function to apply.
  4. Print the result.

Python3

from functools import reduce

from operator import mul

list1 = [1, 2, 3]

result = reduce(mul, list1)

print(result)

Time complexity: O(n)
Auxiliary space: O(1)

Last Updated :
25 Apr, 2023

Like Article

Save Article

30.12.2019Python

Для заданного списка выведите значение, полученное после умножения всех чисел в списке.

Примеры:

Input :  list1 = [1, 2, 3] 
Output : 6 
Explanation: 1*2*3=6 

Input : list1 = [3, 2, 4] 
Output : 24 

Метод 1: обход

Инициализируйте значение продукта равным 1 (не 0, если 0, умноженное на что-либо, возвращает ноль). Пройдите до конца списка, умножьте каждое число на произведение. Значение, сохраненное в продукте в конце, даст вам ваш окончательный ответ.

Ниже этого Python реализация вышеупомянутого подхода:

def multiplyList(myList) :

    result = 1

    for x in myList:

         result = result *

    return result 

list1 = [1, 2, 3

list2 = [3, 2, 4]

print(multiplyList(list1))

print(multiplyList(list2))

Выход:

6
24 

Способ 2: использование numpy.prod ()

Мы можем использовать numpy.prod () из import numpy, чтобы получить умножение всех чисел в списке. Возвращает целое число или значение с плавающей запятой в зависимости от результата умножения.

Ниже Python3 реализация вышеуказанного подхода:

import numpy 

list1 = [1, 2, 3

list2 = [3, 2, 4]

result1 = numpy.prod(list1)

result2 = numpy.prod(list2)

print(result1)

print(result2)

Выход:

6
24 

Метод 3 из 3: Использование лямбда-функции: Использование numpy.array

Лямбда-определение не содержит оператора return , оно всегда содержит выражение, которое возвращается. Мы также можем поместить лямбда-определение везде, где ожидается функция, и нам вообще не нужно присваивать ее переменной. Это простота лямбда-функций. Функция Reduce () в Python принимает функцию и список в качестве аргумента. Функция вызывается с лямбда-функцией и списком, и возвращается результат, уменьшенный на ew . Это выполняет повторяющуюся операцию над парами списка.

Ниже приведена реализация вышеуказанного подхода в Python3:

from functools import reduce 

list1 = [1, 2, 3

list2 = [3, 2, 4]

result1 = reduce((lambda x, y: x * y), list1)

result2 = reduce((lambda x, y: x * y), list2)

print(result1)

print(result2)

Выход:

6
24 

Рекомендуемые посты:

  • Python | Умножьте целое число в смешанном списке строк и чисел
  • Python — умножить два списка
  • Python — Умножение последовательных элементов в списке
  • Python | Повторить и умножить расширение списка
  • Python | Способы суммирования списка списков и возврата списка сумм
  • Python | Способы преобразования 3D-списка в 2D-список
  • Python | Способы перемешать список
  • Расширение списка в Python (5 разных способов)
  • Различные способы очистить список в Python
  • Python | Способы выравнивания 2D-списка
  • Python | Способы поворота списка
  • Python | Способы пролить список на какое-то значение
  • Python | Способы инициализации списка алфавитами
  • Python | Способы найти длину списка
  • Python | Способы создания триплетов из данного списка

Python | Умножьте все числа в списке (3 разных способа)

0.00 (0%) 0 votes

Я приведу не очень практичное но красивое решение в одну строку. Оно не использует eval, побочные эффекты при работе со списком или именованные функции.

Если именованные функции разрешены, то решение может выглядеть так:

def p(a):
    if a:
        return a[0] * p(a[1:])
    return 1

print(p([1, 2, 3, 4, 5]))

Нам оно не подходит, так именованная функция требует минимум две строки для определения и вызова. Лямбду можно определить и вызвать в одной строке, но есть трудность в создании рекурсивной лямбды. Синтаксис Python разрешает такой трюк:

p = (lambda a: a[0] * p(a[1:]) if a else 1); print(p([1, 2, 3, 4, 5]))

Это именно трюк с глобальной переменной и двумя операторами в одной строке. А можно обойтись без глобальной переменной вообще. На первый взгляд этого не может быть так как имя нужно чтобы сделать рекурсивный вызов. Но функцию можно передать как аргумент в саму себя:

p = lambda f, a: a[0] * f(f, a[1:]) if a else 1
print(p(p, [1, 2, 3, 4, 5]))

Кажется мы ничего не выиграли: всё равно два оператора и глобальная переменная p. Однако сделан очень важный шаг – тело лямбды не использует глобальные переменные. Глобальная переменная используется в операторе print. Избавимся от неё:

p = lambda f, a: a[0] * f(f, a[1:]) if a else 1
y = lambda f, a: f(f, a)
print(y(p, [1, 2, 3, 4, 5]))

Стало только хуже: три строки и две глобальные переменные. Зато каждая глобальная переменная задействована только один раз. Делаем подстановку:

print((lambda f, a: f(f, a))(lambda f, a: a[0] * f(f, a[1:]) if a else 1, [1, 2, 3, 4, 5]))

Читается тяжело, но задача решена в одну строку без глобальных имён и волшебных вызовов eval.

P.S. Читайте Fixed-point combinator чтобы узнать откуда пошло это решение.

P.P.S. И есть очаровательное утверждение: программу любой сложность можно записать в функциональном стиле не определив ни одной глобальной переменной, включая имена функций.

P.P.P.S. Не пытайтесь повторить это дома.

0 / 0 / 0

Регистрация: 10.06.2020

Сообщений: 33

1

Произведение элементов списка

17.10.2021, 18:14. Показов 43453. Ответов 5


Студворк — интернет-сервис помощи студентам

Добрый вечер, нужна помощь с вычислением произведения всех числа списка
n = int(input(“Введите длину списка:”))
a = []
for i in range(0, n):
element = int(input(“Введите элемент списка:”))
a.append(element)
print(“Весь список:”)
print(a)
print(“Сумма элементов списка равна:”)
b = sum(a)
print(b)



0



enx

1182 / 758 / 277

Регистрация: 05.09.2021

Сообщений: 1,772

17.10.2021, 18:20

2

Лучший ответ Сообщение было отмечено llenkal как решение

Решение

llenkal,

Python
1
2
3
4
5
6
from math import prod
 
arr = [int(input('Введите элемент списка: ')) for i in range(int(input('Введите длину списка: ')))]
print(f'Весь список: {arr}')
print(f'Сумма элементов списка равна: {sum(arr)}')
print(f'Произведение элементов списка: {prod(arr)}')



1



0 / 0 / 0

Регистрация: 10.06.2020

Сообщений: 33

17.10.2021, 18:33

 [ТС]

3

Спасибо, но есть проблема с visual studio

Миниатюры

Произведение элементов списка
 



0



enx

1182 / 758 / 277

Регистрация: 05.09.2021

Сообщений: 1,772

17.10.2021, 18:44

4

Лучший ответ Сообщение было отмечено llenkal как решение

Решение

llenkal,

Python
1
2
3
4
5
6
7
8
9
arr = [int(input('Введите элемент списка: ')) for i in range(int(input('Введите длину списка: ')))]
 
prod = 1
for i in arr:
    prod *= i
 
print(f'Весь список: {arr}')
print(f'Сумма элементов списка равна: {sum(arr)}')
print(f'Произведение элементов списка: {prod}')



1



0 / 0 / 0

Регистрация: 10.06.2020

Сообщений: 33

17.10.2021, 18:48

 [ТС]

5

Спасибо большое) все работает.



0



Эксперт Python

5407 / 3831 / 1214

Регистрация: 28.10.2013

Сообщений: 9,554

Записей в блоге: 1

17.10.2021, 19:01

6

Лучший ответ Сообщение было отмечено llenkal как решение

Решение

Цитата
Сообщение от llenkal
Посмотреть сообщение

Спасибо, но есть проблема с visual studio

Поставь Python 3.83.93.10 и будет тебе math.prod и куча всего нового.



1



IT_Exp

Эксперт

87844 / 49110 / 22898

Регистрация: 17.06.2006

Сообщений: 92,604

17.10.2021, 19:01

Помогаю со студенческими работами здесь

Произведение элементов списка, расположенных между первым и вторым нулевыми элементами
В списке, состоящем из целых элементов, вычислить:
# произведение элементов списка,…

Вычислить произведение тех элементов списка, для которых выполняется неравенство
Создать список с элементами akn=n f ( k ) + sin ( k ) g (n), где k, n =1, 2, 3, 4;…

Вычислить произведение элементов списка, находящихся на n-ном уровне списка
Написать функцию произв(x, n), которая вычисляет произведение числовых элементов списка x,…

Определить, является ли произведение элементов числового списка факториалом числа, равного длине списка
Определите, является ли произведение элементов числового списка факториалом числа, равного длине…

После чётных элементов заданного списка вставить произведение всех его элементов; удалить элементы, кратные N
Здравствуйте, буду благодарен за помощь с заданием.
"Вставить после четных элементов списка…

Произведение элементов списка
Помогите пожалуйста.
Мне нужно определить произведение элементов списка на Prolog.

(Например:…

Искать еще темы с ответами

Или воспользуйтесь поиском по форуму:

6

Добавить комментарий