55.1k views
3 votes
Write a function addUpSquaresAndCubes that adds up the squares and adds up the cubes of integers from 1 to N, where N is entered by the user. This function should return two values - the sum of the squares and the sum of the cubes. Use just one loop that generates the integers and accumulates the sum of squares and the sum of cubes. Then, write two separate functions sumOfSquares and sumOfCubes to calculate and return the sums of the squares and sum of the cubes using the explicit formula below.

1 Answer

5 votes

Answer:

All functions were written in python

addUpSquaresAndCubes Function

def addUpSquaresAndCubes(N):

squares = 0

cubes = 0

for i in range(1, N+1):

squares = squares + i**2

cubes = cubes + i**3

return(squares, cubes)

sumOfSquares Function

def sumOfSquares(N):

squares = 0

for i in range(1, N+1):

squares = squares + i**2

return squares

sumOfCubes Function

def sumOfCubes(N):

cubes = 0

for i in range(1, N+1):

cubes = cubes + i**3

return cubes

Step-by-step explanation:

Explaining the addUpSquaresAndCubes Function

This line defines the function

def addUpSquaresAndCubes(N):

The next two lines initializes squares and cubes to 0

squares = 0

cubes = 0

The following iteration adds up the squares and cubes from 1 to user input

for i in range(1, N+1):

squares = squares + i**2

cubes = cubes + i**3

This line returns the calculated squares and cubes

return(squares, cubes)

The functions sumOfSquares and sumOfCubes are extract of the addUpSquaresAndCubes.

Hence, the same explanation (above) applies to both functions

User MetaColon
by
7.0k points