How to Print Adjacent Numbers of a Number in Python

Prompt

Write a program that takes in one number as the input. Print the number one less than and one greater than that input with a comma separating the two.

Then, to concatenate the outputs with a comma you will need to convert the variables back into a string.

The output needs to be in this format: "number,number"
Python

Result

def print_adjacent_numbers(num):
    """
    Prints the number one less than and one greater than the input number, separated by a comma.

    Args:
        num (int): The input number.

    Returns:
        None
    """
    # Calculate the adjacent numbers
    less_than = num - 1
    greater_than = num + 1

    # Convert the numbers to strings and concatenate with a comma
    output = str(less_than) + ',' + str(greater_than)

    # Print the output
    print(output)


# Test the function
input_number = int(input("Enter a number: "))
print_adjacent_numbers(input_number)
Python

Example output:

Enter a number: 5
4,6