Swipe Control Issue.. Need help

I’m having some troubles with creating swipe controls for a game. I’m trying to recreate the controls of the game Subway Surfers, where a swipe is detected during the Touch.Moved phase not the Touch.End phase. Right now it works most of the time but once in a while (to often) a vertical swipe will be processed as a horizontal one.
I’ve posed the code below, thanks in advance for any help.

       int swipeIndex = -1; //index of first detected swipe to prevent multiple swipes
       Vector2 startPos = Vector.zero; //starting position of touch
       //minSwipeDist is the distance in inches the player must swipe for a correct swipe
       for (int i = 0; i < Input.touchCount; i++) {
            Touch touch = Input.touches*;*

switch (touch.phase) {
case TouchPhase.Began:
if (swipeIndex == -1) {
swipeIndex = i;
startPos = touch.position;
}
break;
case TouchPhase.Moved:
if(i != swipeIndex)
break;
Vector2 direction = touch.position - startPos;
//vertical swipe
if (Mathf.Abs(direction.x) < Mathf.Abs(direction.y)) {
//swipe up
if ((touch.position.y - startPos.y) > minSwipeDist) {
//Process Up swipe
swipeIndex = -1;
}
//swipe down
else if ((touch.position.y - startPos.y) < -minSwipeDist) {
//Process down swipe
swipeIndex = -1;
}
}
//horizontal swipe
else {
//swipe left
if ((touch.position.x - startPos.x) < -minSwipeDist) {
//process left swipe
swipeIndex = -1;
}
//swipe right
else if ((touch.position.x - startPos.x) > minSwipeDist) {
//process right swipe
swipeIndex = -1;
}
}
break;
}
}

When you first start moving it’s easy for the direction code to get it you. You check (line 18) that the touch has moved less in x than in y, and that means a vertical swipe. But, if x==1 and y==2, that does not mean that the swipe will be vertical, it’s basically too small a change to know. You probably want to wait until the finger has moved 5% of the screen width or height before deciding what direction they are moving in. You kind of do this with you minSwipeDist variable, but I think you’d want to do this test before you decide there is a swipe.