The function takes each alphabetic character in the input string and replaces it with the next character in the alphabet, wrapping around from 'z' to 'a'. Non-alphabetic characters are left unchanged.

[CODE]:
```python
def f(x):
    output = ""
    for char in x:
        if char.isalpha():
            if char == 'z':
                output += 'a'
            elif char == 'Z':
                output += 'A'
            else:
                output += chr(ord(char) + 1)
        else:
            output += char
    return output
```