A recursive function which returns all the elements up to n (where n is the input of your function) has already been proposed above.
In my understanding, you want a function with some recursive logic that return the sum of all the elements up to the n-th.
Your sequence is 7, 12, 17, 22, 27 and so forth. If we disect it:
it   element      sum         sum is             element is
 1         7        7         1 * 7 +  0 * 5     1 * 7 + 0 * 5
 2        12       19         2 * 7 +  1 * 5     1 * 7 + 1 * 5
 3        17       36         3 * 7 +  3 * 5     1 * 7 + 2 * 5
 4        22       58         4 * 7 +  6 * 5     1 * 7 + 3 * 5
 5        27       85         5 * 7 + 10 * 5     1 * 7 + 4 * 5
If you want at any cost to implement a recursive solution, if is evident that at each step you need to increase the rolling sum by it * 7 + (it - 1) * 5 (where 7 is your start point, while 5 is your step).
You can implement a recursive solution as follows:
def recursive(n, step = 5, start = 7, counter = 1):
    if n  >  0:
        this_element = start + (counter - 1) * step
        if counter == n:
            return this_element
        else:
            return this_element + recursive(n, step = step, start = start, counter = counter + 1)
    else:
        return 0    
for i in range(1, 10):
    print(recursive(i))
OUTPUT
7
19
36
58
85
117
154
196
243
From the table above you can see though that maybe a recursive solution is overkilling here given that the sum of elements up to n-th step has solution:
def my_sum(n, step = 5, start = 7):
    return n * start + int(step * (n - 1) * n / 2)
for i in range(1, 10):
    print(my_sum(i))
OUTPUT
7
19
36
58
85
117
154
196
243