my homework is building number of prime number counting code. This is where I come so far.
JavaScript
x
11
11
1
def count_primes(num):
2
prime_list = []
3
for n in range(0,num+1):
4
if n >1:
5
for i in range(2,n):
6
if n%i==0:
7
break
8
else:
9
prime_list.append(n)
10
print(prime_list)
11
Check
JavaScript
1
3
1
count_primes(100)
2
[2, 3, 5, 7, 11, 13, 17, 19, 23, 29, 31, 37, 41, 43, 47, 53, 59, 61, 67, 71, 73, 79, 83, 89, 97]
3
I initially thought that using ‘len’ would provide the number of prime numbers. But when I change ‘print’ to ‘len’ Nothing happened.
JavaScript
1
11
11
1
def count_primes(num):
2
prime_list = []
3
for n in range(0,num+1):
4
if n >1:
5
for i in range(2,n):
6
if n%i==0:
7
break
8
else:
9
prime_list.append(n)
10
len(prime_list)
11
I would appreciate if you show me some insight What I did I wrong.
Advertisement
Answer
First of all, your syntax is wrong, but I assume that was because of copying the code to the question.
The problem is that the len()
function returns the value (i.e. the length). So you have to either capture that value in a variable or return that value itself.
Example:
JavaScript
1
13
13
1
def count_primes(num):
2
prime_list = []
3
for n in range(0,num+1):
4
if n >1:
5
for i in range(2,n):
6
if n%i==0:
7
break
8
else:
9
prime_list.append(n)
10
return len(prime_list) #Returns len() of prime_list
11
12
print(count_prime(50)) #Prints returned value
13
This will return the length of prime_list
to the print function, which prints it out to the terminal.