我的应用中有一个UIPanGesture View。我的应用程序的最底部有一个按钮,当用户将其向上滑动时,它会进入屏幕的最顶部。问题是当用户将其向上滑动时,它在中心停止,然后用户必须再次将其向上滑动以使其到达屏幕的最顶部。我怎么做到这一点向上滑动它在顶部?此外,向下滑动它也会在中心停止,但一旦弹起,它就不会到达屏幕最底部的起点。最低的是屏幕中间。这是我的代码。
-(IBAction) dragMe: (UIPanGestureRecognizer *)recognizer {
CGPoint translation = [recognizer translationInView:recognizer.view.superview];
recognizer.view.center = CGPointMake(recognizer.view.center.x, + recognizer.view.center.y + translation.y);
[recognizer setTranslation:CGPointMake(0, 0) inView:recognizer.view.superview];
if (recognizer.state == UIGestureRecognizerStateEnded) {
CGPoint velocity = [recognizer velocityInView:recognizer.view.superview];
CGFloat magnitude = sqrtf((velocity.y * velocity.y));
CGFloat slideMult = magnitude / 50
;
NSLog(@"magnitude: %f, slideMult: %f", magnitude, slideMult);
float slideFactor = 0.1 * slideMult; // Increase for more of a slide
CGPoint finalPoint = CGPointMake(recognizer.view.center.x,
recognizer.view.center.y + (velocity.y * slideFactor));
finalPoint.x = MIN(MAX(finalPoint.x, 160), recognizer.view.superview.bounds.size.width);
finalPoint.y = MIN(MAX(finalPoint.y, 284), recognizer.view.superview.bounds.size.height);
[UIView animateWithDuration:slideFactor*.2 delay:0 options:UIViewAnimationOptionCurveEaseOut animations:^{
recognizer.view.center = finalPoint;
} completion:nil];
}
}
提前致谢!
答案 0 :(得分:1)
你必须了解你的函数中的代码到底是什么,以便能够看到问题所在。
此代码在if (recognizer.state == UIGestureRecognizerStateEnded)
内,它根据手势的速度计算可拖动视图的最终点,并将其设置为动画。
这里的代码
finalPoint.x = MIN(MAX(finalPoint.x, 160), recognizer.view.superview.bounds.size.width);
finalPoint.y = MIN(MAX(finalPoint.y, 284), recognizer.view.superview.bounds.size.height);
它正在处理你的超级视图的界限,以便不允许你的可拖动视图传递它的父级边界。
出于某种原因,代码中最后一个点的x和y值的最小值是160和284,这几乎就像在超级视图的中心。
要更正此问题,请将此代码更改为:
finalPoint.x = MIN(MAX(finalPoint.x, recognizer.view.bounds.size.width/2.0), recognizer.view.superview.bounds.size.width);
finalPoint.y = MIN(MAX(finalPoint.y, recognizer.view.bounds.size.height/2.0), recognizer.view.superview.bounds.size.height);
现在,可拖动视图的原点不会传递其父级边界的0值。
重要的是你明白你的代码并不是你的按钮(可拖动的视图)动画到视图的顶部,但就像我之前说的那样,根据速度计算它的最终位置。
如果您真正想要的是在视图顶部和底部之间切换的按钮,请尝试以下操作:
//in .h file
@interface yourClass : yourFatherClass
{
BOOL _isInTop;
}
//in the gesture method
if (_isInTop){
_isInTop = NO;
finalPoint.y = recognizer.view.superview.bounds.size.height - recognizer.view.bounds.size.height/2.0
}
else
{
_isInTop = YES;
finalpoint.y = recognizer.view.bounds.size.height/2.0
}
如果您真正想要的话,请提供一些反馈