2053. Kth Distinct String in an Array
## 思路
用Counter計算string出現次數
再for loop找第k個Counter[s] == 1 的字串
## Complexity
Time: O(N)
Space: O(N)
## Code
```python
class Solution:
def kthDistinct(self, arr: List[str], k: int) -> str:
counter = Counter(arr)
for s in arr:
if counter[s] == 1:
k -= 1
if k == 0:
return s
return ''
```