Write a function that takes a character (a single letter string) and prints out the letter that comes after it.

```python
def next_char(character):
# your code goes here

# Example usage:
print(next_char('a')) # Results in 'b'
print(next_char('f')) # Results in 'g'
```



Answer :

Sure, let's go through this step-by-step:

1. Understand the Input: The function `next_char` takes a single character as input.
2. Determine the Next Character: To find the character that comes after the given character in the alphabet, you need to determine its position and then find the next position.
3. Character to Unicode Code Point: Each character has a unique Unicode code point. In Python, you can find the Unicode code point of a character using the `ord()` function.
4. Increment the Code Point: Once you have the Unicode code point, you can determine the next character by adding 1 to this code point.
5. Convert Back to Character: Convert the new Unicode code point back to a character using the `chr()` function.
6. Return the Result: Return or print the new character.

Let's write and explain the function implementation:

```python
def next_char(character):
# Get the Unicode code point of the character
unicode_code_point = ord(character)

# Add 1 to the code point to get the next character's code point
next_code_point = unicode_code_point + 1

# Convert the new code point back to a character
next_character = chr(next_code_point)

# Print the result
print(next_character)

# Example calls to the function
next_char('a') # This should print 'b'
next_char('f') # This should print 'g'
```

### Explanation:
- ord() Function: `ord('a')` returns 97 because 'a' has a Unicode code point of 97.
- Increment: Adding 1 to this code point gives us 98.
- chr() Function: `chr(98)` returns 'b' because 98 is the Unicode code point for 'b'.
- Print: Finally, print the resulting character.

With this implementation, the function will print the character that comes immediately after the given character. For instance:
- `next_char('a')` will print `b`.
- `next_char('f')` will print `g`.