------
## 最终结论
```python
def most_occurrences(strings):
    word_count = {}
    
    for string in strings:
        words = string.split()
        for word in words:
            if word in word_count:
                word_count[word] += 1
            else:
                word_count[word] = 1
    
    max_count = 0
    most_common_word = ""
    for word, count in word_count.items():
        if count > max_count:
            max_count = count
            most_common_word = word
    
    return most_common_word

# Test cases
assert most_occurrences(["UTS is best for RTF", "RTF love UTS", "UTS is best"] ) == 'UTS'
assert most_occurrences(["Its been a great year", "this year is so worse", "this year is okay"] ) == 'year'
assert most_occurrences(["Families can be reunited", "people can be reunited", "Tasks can be achieved "] ) == 'can'
```