The function counts the number of trailing zeroes in a numeric input string and returns the count in words. For non-numeric input strings or numeric input strings without trailing zeroes, it returns an empty string.

[CODE]:
```python
def count_trailing_zeroes(input_str):
    count = 0
    for char in reversed(input_str):
        if char == "0":
            count += 1
        else:
            break
    words = ['', 'one', 'two', 'three', 'four', 'five', 'six', 'seven', 'eight', 'nine']
    return words[count] if count > 0 else ''
```
