''' For this exercise, you can use the following documentation: https://docs.python.org/3/library/functions.html#input # Input The `input()` function allows you pass information to Python. Between the brackets, you can specify the prompt that Python shows you when you have to enter something. Run the following code and provide the input that is asked for. Check the type of the input you provided. ''' a = input("Input a string. ") b = input("Input an integer. ") c = input("Input a float. ") # Write code to check the types here. ''' As you can see above, Python always interprets your response as a string. To use the variable further, you need to convert it to the type you want. In the code below, use `input()` and type converting functions to get the variable type that you want. Verify that it worked using `print` statements. ''' b = c = ''' You can also directly input multiple variables. In this example, we will input one integer and one float separated by space and save it as `two_numbers` string. To then separate the two inputs, we use a comma before the equal sign (`b,c =`) and the built-in function `.split()` which cuts up the string (as default, based on spaces). It can be used as follows: `string_name.split()`, so in our case `b,c = two_numbers.split()`. ''' two_numbers = input("Input an integer and a float separated by a space") b,c = two_numbers.split() print(f"The first variable is {b} and the second variable is {c}.") ''' Now write the code to do the same using two lines: one line to ask for input and split the string, and the other a print line. ''' # Your code here