-
Notifications
You must be signed in to change notification settings - Fork 243
Divisors
Sar Champagne Bielert edited this page Apr 8, 2024
·
5 revisions
Unit 1 Session 2 (Click for link to problem statements)
Understand what the interviewer is asking for by using test cases and questions about the problem.
- Will
n
always be a positive integer?- Yes.
Plan the solution with appropriate visualizations and pseudocode.
General Idea: Loop through each number less than or equal to n
, and add it to a list if it evenly divides n
.
1) Create an empty list variable to store the divisors
2) Loop from 1 to `n` (inclusive)
a) If `n` is divisible by the number, add the number to the divisors list
3) Return the divisors list
- A number is "evenly divisible" when the remainder of the division is zero. How can we check for that in python?
def find_divisors(n):
divisors = []
for i in range(1, n + 1):
if n % i == 0:
divisors.append(i)
return divisors