Rather than using a normal dictionary, you could change countries to be a collections.defaultdict object instead. As the name implies, collections.defaultdict allows you to have a default value inserted in your dictionary if a key doesn't exist yet:
from collections import defaultdict
countries = defaultdict(int)
Then your snippit becomes one line:
countries[cntry] += 1
If you can't use collections.defaultdict, you can use the "ask forgiveness rather than permission" idiom instead:
try:
countries[ ctry ] += 1
except KeyError:
countries[ ctry ] = 1
Although the above will behave like your conditional statement, it is consider more "Pythonic" because try/except is used rather than if/else.