The program below will get two input integers from the user, num1 and num2. It should then use a "for" loop to iterate over a range between num1 and num2, printing the current numeric values on the same line, separated by a space (" "). The output should include the num2 value.

The user input and final "Done counting!" message are done for you. Where shown by the comments, take the following steps:

Create a "for" loop using the range keyword to iterate over the desired values. Select your own name for the loop index variable.
Inside the loop, print the current loop index value on the same line. Remember, you can add end=" " as a print() parameter to keep the output on the same line with a space separator.
Hint: Remember that range(num1,num2) will not include num2 itself in the iteration. What can you do to ensure that num2 is printed as the last output value?

The following examples demonstrate the expected program output.

Enter an integer: 1
Enter a larger integer: 3
1 2 3
Done counting!
Enter an integer: 5
Enter a larger integer: 15
5 6 7 8 9 10 11 12 13 14 15
Done counting!

num1 = int(input("Enter an integer: "))
num2 = int(input("Enter a larger integer: "))

# student code here


print("\nDone counting!")

num1 = int(input("Enter an integer: "))

num2 = int(input("Enter a larger integer: "))

for i in range(num1, num2+1):
print(i, end=" ")

print("\nDone counting!")