IOS開發之——事件處理-View拖動(67)
阿新 • • 發佈:2020-12-16
一 IOS中的事件
- 在使用者使用app過程中,會產生各種各樣的事件
- IOS中的事件可以分為3大型別:觸控事件、加速計事件、遠端控制事件
二 響應者物件
- 在iOS中不是任何物件都能處理事件,只有繼承了UIResponder的物件才能接收並處理事件。我們稱之為“響應者物件”
- UIApplication、UIViewController、UIView都能繼承自UIResponder,因此它們都是響應者物件,都能接收並處理事件
三 UIResponder
3.1 UIResponder內部提供了以下方法來處理事件
觸控事件
-(void)touchBegan:(NSSet *)touches withEvent:(UIEvent *)event; -(void)touchMoved:(NSSet *)touches withEvent:(UIEvent *)event; -(void)touchEnded:(NSSet *)touches withEvent:(UIEvent *)event; -(void)touchCancelled:(NSSet *)touches withEvent:(UIEvent *)event;
加速計事件
-(void)motionBegan:(UIEventSubtype)motion withEvent:(UIEvent *)event;
-(void)motionEnded:(UIEventSubtype)motion withEvent:(UIEvent *)event;
-(void)motionCancelled:(UIEventSubtype)motion withEvent:(UIEvent *)event;
遠端控制事件
-(void)remoteControlReceivedWithEvent:(UIEvent *)event;
四 UIView的觸控事件處理
4.1 UIView是UIResponder的子類,可以實現下列4個方法處理不同的觸控事件
一根或者多根手指開始觸控view,系統會自動呼叫view的下面方法
- -(void)touchesBegan:(NSSet *)touches withEvent:(UIEvent *)event;
一根或多根手指在view上移動,系統會自動呼叫view的下面方法(隨著手指的移動持續呼叫該方法)
- -(void)touchesMoved:(NSSet *)touches withEvent:(UIEvent *)event;
一根或者多根手指離開view,系統會自動呼叫view的下面方法
- -(void)touchesEnded:(NSSet *)touches withEvent:(UIEvent *)event;
觸控結束前,某個系統事件(例如電話呼入)會打斷觸控過程,系統會自動呼叫下面的方法
- -(void)touchesCancelled:(NSSet *)touches withEvent:(UIEvent *)event;
4.2 說明
- touches中存放的都是UITouch物件
五 UITouch
5.1 什麼是UITouch
- 當用戶用一根手指觸控式螢幕幕時,會建立一個與手指相關聯的UITouch物件
- 一根手指對應一個UITouch物件
5.2 UITouch的作用
- 儲存著跟手指相關的資訊,比如觸控的位置、時間、階段
5.3 手指移動時
- 當手指移動時,系統會更新同一個UITouch物件,使之能夠一直儲存該手指的觸控位置
5.4 常用的屬性
觸控產生時所處的視窗
@property(nonatomic,readonly,retain)UIWindow *window;
觸控產生時所處的檢視
@property(nonatomic,readonly,retain)UIView *view;
短時間內點選螢幕的次數,可以根據tapCount判斷單擊、雙擊或更多的點選
@property(nonatomic,readonly)NSUInteger tapCount;
記錄了觸控事件產生或變化的時間,單位是秒
@property(nonatomic,readonly)NSTimeInterval timestamp;
當前觸控事件所處的狀態
@property(nonatomic,readonly)UITouchPhase phase;
5.5 常用的方法
touches.count
- 觸控的手指數(勾選Multiple Touch)
touch.tapCount
- 點選螢幕的次數
touch.phase(列舉型別)
typedef NS_ENUM(NSInteger, UITouchPhase) {
UITouchPhaseBegan, // whenever a finger touches the surface.
UITouchPhaseMoved, // whenever a finger moves on the surface.
UITouchPhaseStationary, // whenever a finger is touching the surface but hasn't moved since the previous event.
UITouchPhaseEnded, // whenever a finger leaves the surface.
UITouchPhaseCancelled,
六 view拖動
6.1 思路
- 獲取當前手指的位置
- 獲取上一個點
- 計算偏移量(x軸和y軸)
- 獲取檢視Center,根據偏移量獲取最新位置
6.2 程式碼
//觸控移動
- (void)touchesMoved:(NSSet<UITouch *> *)touches withEvent:(UIEvent *)event
{
UITouch *touch=[touches anyObject];
//獲取當前的位置
CGPoint current=[touch locationInView:self];
CGPoint pre=[touch previousLocationInView:self];
//x軸的偏移量
CGFloat offsetX=current.x-pre.x;
CGFloat offsetY=current.y-pre.y;
CGPoint center=self.center;
center.x+=offsetX;
center.y+=offsetY;
self.center=center;
//NSLog(@"%d",touch.phase);
//NSLog(@"%s---%p",__func__,touch);
}