I'm a novice in CS and I just tried to use recursion solve a change-making problem, which is mentioned in another question Recursive change-making algorithm
def change(total, coins):
    def coin_change(remain, position, changes=None):
        changes=[] if changes is None else changes
        if remain == 0:
            return len(changes), changes
        elif remain < 0 or position == -1:
            return float('inf'), changes
        else:
            strategy1 = coin_change(remain, position-1, changes)
            strategy2 = coin_change(remain-coins[position], position, 
                                    changes+[coins[position]])
        if strategy1[0] >= strategy2[0]:
            return strategy2
        else:
            return strategy1
    return coin_change(total, len(coins)-1, changes=None)
the code works well when given small inputs such as (49, [1,5,12,24]), but when the input gets larger, the code becomes very slow and when given the likely of (1000, [1,5,12,24]), errors pop up, just like this:
File "********\coin_change.py", line 56, in testperformance
function1(1480, [1, 7, 24, 42])
Though I have solved this problem by utilizing some dynamic programming techniques, I'm really curious about what's wrong with my initial codes. Is it a stack overflow problem? How does it happen? Hope some an explicit explication or reference materials.