133k views
3 votes
Write a function add_vectors(u, v) that takes two lists of numbers of the same length, and returns a new list containing the sums of the corresponding elements of each.

So for example [0, 1, 2, 3] + [10, 11, 12, 13] is [10, 12, 14, 16] The vectors u and v can be of any length (i.e. length of the list) and will always be of matching size.

User Euan Smith
by
8.3k points

1 Answer

6 votes

Answer:

Read below and test it.

Step-by-step explanation:

Here's a Python function add_vectors(u, v) that takes two lists u and v of equal length and returns a new list result containing the sums of the corresponding elements of u and v:

def add_vectors(u, v):

result = []

for i in range(len(u)):

result.append(u[i] + v[i])

return result

The function first initializes an empty list result to store the sums of the corresponding elements of u and v. It then uses a for loop to iterate over the indices of u (or v, since they have the same length). At each index i, it adds the i-th element of u to the i-th element of v and appends the sum to result. Finally, it returns result.

Here's an example of how you can use this function:

u = [0, 1, 2, 3]

v = [10, 11, 12, 13]

result = add_vectors(u, v)

print(result) # Output: [10, 12, 14, 16]

Note that this function assumes that u and v are lists of numbers. If they contain non-numeric elements, the function will raise a TypeError. If they are not the same length, the function will produce unexpected results.

User JF Simon
by
8.4k points