How to keep counting up (1+2+3) until user input value?
This is my code so far,
JavaScript
x
10
10
1
until = int(input("Keep counting until: "))
2
3
x = 1
4
5
while until >= x:
6
7
x = x + 1
8
9
print(x)
10
I can’t figure out how to keep increasing the value by one at a time… the goal should be
e.g if input value was 2
to print 3
and if 10
, 10
and 18
, 21
.
Advertisement
Answer
The problem with your code is you always do x + 1
, but you want x + i
where i
increments each time. Then you want to stop when x < until
not when x <= until
.
This will do what you need:
JavaScript
1
10
10
1
until = int(input("Keep counting until: "))
2
3
x = 0
4
i=0
5
while x < until:
6
i+=1
7
x = x + i
8
9
print(x)
10
Example output:
JavaScript
1
3
1
Keep counting until: 18
2
21
3