another one of these stupid questions. I have a very simpe algorithm here to calculate the greatest commen divider.
My C++ snippet looks like this
int findGcd(int m, int n)
{
    int r = m % n;
    if(r == 0)
    {
        return n;
    }
    else
    {
        m = n;
        n = r;
        findGcd(m, n);
    }
}
int main()
{
    cout << findGcd(13, 3);
    return 0;
}
... And it returns (exactly as expected in this example) 1.
If I implement it in Python though - like the following:
def findGcd(m, n):
"""Calculates the greatest common divider """
    r = m % n
    if r == 0:
        return n
    else:
        m = n
        n = r
        findGcd(m, n)
number = findGcd(13,3)
print(number)
It just returns NONE instead of 1. I already debugged it and n did indeed have the correct value of 1 stored in it but returns None none the less.
I can fix this by adding "return" to my recursive call of the function in the else branch. But why is that?
 
    