I've written a code block to find n-th prime number.
For instance if n=2, then the result is 3 and if n=3, then 5 and so on. Below is my code.
def prime_or_not(n):
    for i in range(2, int(n ** 0.5)+1):
        if n % i == 0:
            return False
    else:
        return True
def get_first_n_prime(n):
    while True:
        if prime_or_not(n):
            yield n
        n += 1
def get_nth_prime_number(n, initial_number=2):
    count = 0
    for next_prime in get_first_n_prime(initial_number):
        count += 1
        if count < n:
            continue
        else:
            return next_prime
With the code above, I could get expected result. The question, however, is that I'm not sure whether this is pythonic way of using generator (with yield in a function). Any feedback or comment would be immensely helpful.
