Loop through the list, adding the element and the element before it to the total. Since list indexing wraps around when the index is negative, this will treat the last element as before the first element.
total = 0
for i in range(len(myList)):
total += myList[i] + myList[i-1]
print(total)
Answer from Barmar on Stack OverflowVideos
How many numbers can I add with this calculator?
What statistics does the calculator provide?
Can I add negative numbers?
Loop through the list, adding the element and the element before it to the total. Since list indexing wraps around when the index is negative, this will treat the last element as before the first element.
total = 0
for i in range(len(myList)):
total += myList[i] + myList[i-1]
print(total)
In python, list[-1] returns the last element of the list so doing something like this should do the job -
myList = [1,2,3]
total = 0
for i, num in enumerate(myList):
print(num, myList[i-1])
total += num + myList[i-1]
print(total)
Output:
1 3
2 1
3 2
12
Question 1:
To sum a list of numbers, use sum:
xs = [1, 2, 3, 4, 5]
print(sum(xs))
This outputs:
15
Question 2:
So you want (element 0 + element 1) / 2, (element 1 + element 2) / 2, ... etc.
We make two lists: one of every element except the first, and one of every element except the last. Then the averages we want are the averages of each pair taken from the two lists. We use zip to take pairs from two lists.
I assume you want to see decimals in the result, even though your input values are integers. By default, Python does integer division: it discards the remainder. To divide things through all the way, we need to use floating-point numbers. Fortunately, dividing an int by a float will produce a float, so we just use 2.0 for our divisor instead of 2.
Thus:
averages = [(x + y) / 2.0 for (x, y) in zip(my_list[:-1], my_list[1:])]
To sum a list of numbers:
sum(list_of_nums)
Generate a new list with adjacent elements averaged in xs using a list comprehension:
[(x + y) / 2 for x, y in zip(xs, xs[1:])]
Sum all those adjacent elements into a single value:
sum((x + y) / 2 for x, y in zip(xs, xs[1:]))