3

概念実証として、現在の座標を取得し、別のポイントに向かう方向を計算し、コンパスを使用して矢印画像を回転させて空間内のそのポイントに向けるアプリケーションを作成したいと思います。

現在の座標を取得し、CGAffineTransformMakeRotationを使用して画像を回転させる方法は知っていますが、正しい角度を計算する式が見つかりません。

ヒントはありますか?

4

2 に答える 2

2

まず、方位を計算する必要があります。このページはそれを行うためのきちんとした公式を与えます:

http://www.movable-type.co.uk/scripts/latlong.html

次に、簡単な計算を行って、その方位とiPhoneが向いている方位の違いを見つけることができます。その差で画像を回転させます。

于 2010-10-12T00:44:45.083 に答える
2

ベアリングは:

double bearingUsingStartCoordinate(CLLocation *start, CLLocation *end)
{
    double tc1;
    tc1 = 0.0;

    //dlat = lat2 - lat1
    //CLLocationDegrees dlat = end.coordinate.latitude - start.coordinate.latitude; 

    //dlon = lon2 - lon1
    CLLocationDegrees dlon = end.coordinate.longitude - start.coordinate.longitude;

    //y = sin(lon2-lon1)*cos(lat2)
    double y = sin(d2r(dlon)) * cos(d2r(end.coordinate.latitude));

    //x = cos(lat1)*sin(lat2)-sin(lat1)*cos(lat2)*cos(lon2-lon1)
    double x = cos(d2r(start.coordinate.latitude))*sin(d2r(end.coordinate.latitude)) - sin(d2r(start.coordinate.latitude))*cos(d2r(end.coordinate.latitude))*cos(d2r(dlon)); 

    if (y > 0)
    {
        if (x > 0)
            tc1 = r2d(atan(y/x));

        if (x < 0)
            tc1 = 180 - r2d(atan(-y/x));

        if (x == 0)
            tc1 = 90;

    } else if (y < 0)
    {
        if (x > 0)
            tc1 = r2d(-atan(-y/x));

        if (x < 0)
            tc1 = r2d(atan(y/x)) - 180;

        if (x == 0)
            tc1 = 270;

    } else if (y == 0)
    {
        if (x > 0)
            tc1 = 0;

        if (x < 0)
            tc1 = 180;

        if (x == 0)
            tc1 = nan(0);
    }
    if (tc1 < 0)
        tc1 +=360.0;
        return tc1;
}

そして、2点間の距離を探している人のために:

double haversine_km(double lat1, double long1, double lat2, double long2)
{
    double dlong = d2r(long2 - long1);
    double dlat = d2r(lat2 - lat1);
    double a = pow(sin(dlat/2.0), 2) + cos(d2r(lat1)) * cos(d2r(lat2)) * pow(sin(dlong/2.0), 2);
    double c = 2 * atan2(sqrt(a), sqrt(1-a));
    double d = 6367 * c;

    return d;
}

double haversine_mi(double lat1, double long1, double lat2, double long2)
{
    double dlong = d2r(long2 - long1);
    double dlat = d2r(lat2 - lat1);
    double a = pow(sin(dlat/2.0), 2) + cos(d2r(lat1)) * cos(d2r(lat2)) * pow(sin(dlong/2.0), 2);
    double c = 2 * atan2(sqrt(a), sqrt(1-a));
    double d = 3956 * c; 

    return d;
}
于 2011-01-10T18:31:35.800 に答える