You might want to also do something to make dx be inversely proportional to dy so that you don't throw something really fast and high just because it's close to you horizontally but not vertically. (If dx is 4, and the object is 12 pixels away from you horizontally and 150 pixels away from you vertically, you probably don't want it to cover ~50 pixels vertically in the first frame.) You probably want to start with a normalized vector resulting from PushTowardSprite to get the velocity, then use the resulting dx. But maybe that's what was planned all along

.
Also, I don't think you can just add gravity * frames to find the offset because ... how do I explain this in plain English? The order of the change is at the wrong level:
1) Position changes over time as a result of velocity
2) Velocity changes over time as a result of acceleration (gravity)
3) Gravity is a constant.
If you try to calculate a new position (at level 1) using only gravity (at level 3) you have skipped level 2. In order to calculate the proper offset, you need to get the cumulative affect of gravity on the velocity and position. For example, if gravity is +1 pixel per frame per frame, then after 5 frames, velocity will be 5 and position will be 0 + 1 + 2 + 3 + 4 + 5 = 15. The formula to calculate the cumulative effect such a variable is (n * n + n) / 2 when the rate of change is 1:
1 + 2 + 3 + ... + (n - 3) + (n - 2) + (n - 1) + n
(cancel out 1 with -1 in "n-1", and 2 with -2 in "n-2" etc)->
0 + 0 + 0 + ... + n + n + n + n
(the number of terms is n, one of them is the one on the end that didn't cancel anything, and half the remaining terms are 0 and the other half are n) ->
(0 * ((n-1)/2)) + (n * ((n-1)/2)) + n
->
n * (n-1)/2 + n
->
(n*n-n)/2 + n
->
(n*n-n)/2 + 2n/2
->
(n*n-n + 2n) / 2
->
(n*n + n) / 2
So for example, if you have 5 frames and gravity is 1, then use the formula:
(5 * 5 + 5) /2 = 15 ... the total offset from gravity after 5 frames is 15
indeed 1 + 2 + 3 + 4 + 5 = 15.
Now the question is, what if gravity is only 0.4? The number of frames is still n, but the last number is 0.4 * n.
0.4 + 0.8 + 1.2 + ... + (0.4*n - 1.2) + (0.4*n - 0.

+ (0.4*n - 0.4) + 0.4n
->
0 + 0 + 0 + ... + 0.4*n + 0.4*n + 0.4*n + 0.4*n
->
(0 * (n-1)/2) + (0.4*n * (n-1)/2) + 0.4*n
->
(0.4 * n * (n-1)/2) + 0.4*n
->
(0.4 * n * n- 0.4*n)/2 + 0.4*n
->
(0.4 * n * n- 0.4*n)/2 + (2 * 0.4*n) / 2
->
(0.4 * n * n- 0.4*n + 2 * 0.4 * n) / 2
->
(0.4*n*n + n * (-0.4 + 2 * 0.4)) / 2
->
(0.4*n*n + n * (0.4)) / 2
->
(0.4*n*n + 0.4*n) / 2
->
(0.4)(n*n + n) / 2
So let's see if this works for 3 frames
0.4 *(3*3 + 3) / 2 = 0.4 * 12 / 2 = 4.8 / 2 = 2.4
0,4 + 0.8 + 1.2 = 2.4
Yay!
So the general formula for any gravity g, then, would be this:
g * (n * n + n) / 2
There was probably an easier way to calculate/simplify that process, but... whatever
