The function seems to perform a simple Caesar cipher shift on alphabetical characters, shifting each alphabetical character by 10 positions. It leaves numerical digits and special characters unchanged.

[CODE]: 

```python
def caesar_cipher_shift_10(input_string):
    output_string = ""
    for char in input_string:
        if char.isalpha():
            shift = 10
            if char.islower():
                new_char = chr(((ord(char) - ord('a') + shift) % 26) + ord('a'))
            else:
                new_char = chr(((ord(char) - ord('A') + shift) % 26) + ord('A'))
            output_string += new_char
        else:
            output_string += char
    return output_string
```

Please let me know if there are more specific inputs you would like me to test.