2

UIViewでユーザーが作成したタッチ座標をplistまたはtxt形式の1つのストアと比較することはできますか?引数は次のようになります。

  if (user touch coordinate == touch coordinate stored in plist or text)
  then
    (do something)
  else
    (do something)

可能であれば、どの形式でリストに座標を記述し、プログラム内でそれを関連付ける方法を教えてください。

事前に感謝し、私の質問が少しおかしいと思ったら申し訳ありません。

4

2 に答える 2

5

ワンライナーソリューションがあるかどうかはわかりません。

UITouch インスタンスでは、locationInView:メソッドは CGPoint 構造体 (x 座標と y 座標、どちらも float 型) を返します。したがって、x 座標と y 座標を plist に保存して、現在のタッチの x 座標と y 座標と比較できます。

編集: また、座標を比較するときは、2 点間の距離を使用して、いつ「ヒット」したかを判断することをお勧めします。

編集: 以下は、値が NSDictionary に基づいているプロパティ リストを読み込んで書き込むためのサンプル コードです。

- (NSMutableDictionary *)loadDictionaryFromPList: (NSString *)plistName
{
    NSString *plistPath = [[NSBundle mainBundle] pathForResource:plistName ofType:@"plist"];
    NSDictionary *immutableDictionary = [NSDictionary dictionaryWithContentsOfFile: plistPath];
    NSMutableDictionary *mutableDictionary = [NSMutableDictionary dictionaryWithDictionary: immutableDictionary];
    return mutableDictionary;
}


- (void)saveDictionary: (NSDictionary *)mySettings toPList: (NSString *)plistName
{
    NSString *plistPath = [[NSBundle mainBundle] pathForResource:plistName ofType:@"plist"];
    [mySettings writeToFile: plistPath atomically: YES];
}

UITouches の 2 つの位置間の距離を計算する方法:

-(CGFloat) distanceBetween: (CGPoint) point1 and: (CGPoint)point2
{
    CGFloat dx = point2.x - point1.x;
    CGFloat dy = point2.y - point1.y;
    return sqrt(dx*dx + dy*dy );
}

最後に、プロパティ リストの値を使用して、ユーザーが以前の場所にヒットしたかどうかを判断するコードを次に示します。

CGPoint currentTouchLocation = [currentTouch locationInView:self];

// Lookup last Touch location from plist, and handle case when current Touch matches it:
NSMutableDictionary *mySettings = [self loadDictionaryFromPList: @"MySettings"];
NSNumber *lastXCoordinate = [mySettings objectForKey:@"lastXCoordinate"];
NSNumber *lastYCoordinate = [mySettings objectForKey:@"lastYCoordinate"];
if (lastXCoordinate && lastYCoordinate)
{
    CGPoint lastTouchLocation = CGPointMake([lastXCoordinate floatValue], [lastYCoordinate floatValue]);
    CGFloat distanceBetweenTouches = [self distanceBetween: currentTouchLocation and: lastTouchLocation];
    if (distanceBetweenTouches < 25) // 25 is just an example
    {
        // Handle case where current touch is close enough to "hit" previous one
        NSLog(@"You got a hit!");
    }
}

// Save current touch location to property list:
[mySettings setValue: [NSNumber numberWithFloat: currentTouchLocation.x] forKey: @"lastXCoordinate"];
[mySettings setValue: [NSNumber numberWithFloat: currentTouchLocation.y] forKey: @"lastYCoordinate"];
[self saveDictionary:mySettings toPList: @"MySettings"];
于 2009-10-15T03:25:30.707 に答える
3

おそらく探している関数はNSStringFromCGPoint()CGPointFromString()です。

しかし、2 つのタッチ座標がまったく同じになることはまずありません。指のタッチなどのアナログ入力から得られるものは言うまでもなく、と比較CGFloatsすることはほとんどありません。==それらが「十分に近い」かどうかを比較する必要があります。2 点間の距離を測定する方法の良い例については、このブログを参照してください。その結果が、目的に適した値 (イプシロン、または「小さい数」) よりも小さくなるようにしたいとします。

于 2009-10-15T03:29:07.003 に答える