I am pretty new to python as I just started my masters (in analytics) so bare with me. We are doing the collatz conjecture problem, which from other results on here I can see people are fairly familar with. I understand how to use a while loop to get the the answer and this what I originally had:
[IN}:
n = int(input("Please enter a whole greater than number 1 for n: "))
def CollatzC(n):
print("Starting value is:", n)
while n > 1:
if n % 2 == 0:
n = n // 2
print (n)
else:
n = (n*3)+1
print (n)
return n
print (CollatzC(n))
[out]:
The starting value is: 10
5
16
8
4
2
1
1
My issue is with the output as my teacher wants the output to look like this:
[in]: print((CollatzC(10))
[out]: [10, 5, 16, 8, 4, 2, 1]
I looked on here and saw this answer which does give the desired output but we haven't used "yield" yet and the rule in the class about using "outside functions", for lack of a better term, is you have to be able to thoroughly explain the function/what is happening, your reasoning, and it's results in order for it to not be "cheating".
[in]:
user = int(input("Enter a number: "))
def collatz(n):
print(n)
while n != 1:
if n % 2 == 0:
n = n // 2
yield(n)
else:
n = n * 3 + 1
yield(n)
print(list(collatz(user)))
SO can someone please explain to me what's going on with this or explain how I could make it work with what I have? Also I understand I may have lose the "The starting value is: " line. I can live without it.
Bonus points if you can tell me why I am getting two 1's at the end!!!
THANK YOU!!!
Here is my code for this if you still need this. It uses a function to perform the collatz method, and also checks for negative numbers and integers. The beginning of the code initializes the list, and then every function call of collatz appends to it.