⭐ 欢迎来到虫虫下载站! | 📦 资源下载 📁 资源专辑 ℹ️ 关于我们
⭐ 虫虫下载站

📄 myclcontroller.m

📁 This is an example application that shows how to use the Location services on the iPhone.
💻 M
字号:
/*File: MyCLController.mAbstract: Singleton class used to talk to CoreLocation and send results back tothe app's view controllers.Version: 1.1Disclaimer: IMPORTANT:  This Apple software is supplied to you by Apple Inc.("Apple") in consideration of your agreement to the following terms, and youruse, installation, modification or redistribution of this Apple softwareconstitutes acceptance of these terms.  If you do not agree with these terms,please do not use, install, modify or redistribute this Apple software.In consideration of your agreement to abide by the following terms, and subjectto these terms, Apple grants you a personal, non-exclusive license, underApple's copyrights in this original Apple software (the "Apple Software"), touse, reproduce, modify and redistribute the Apple Software, with or withoutmodifications, in source and/or binary forms; provided that if you redistributethe Apple Software in its entirety and without modifications, you must retainthis notice and the following text and disclaimers in all such redistributionsof the Apple Software.Neither the name, trademarks, service marks or logos of Apple Inc. may be usedto endorse or promote products derived from the Apple Software without specificprior written permission from Apple.  Except as expressly stated in this notice,no other rights or licenses, express or implied, are granted by Apple herein,including but not limited to any patent rights that may be infringed by yourderivative works or by other works in which the Apple Software may beincorporated.The Apple Software is provided by Apple on an "AS IS" basis.  APPLE MAKES NOWARRANTIES, EXPRESS OR IMPLIED, INCLUDING WITHOUT LIMITATION THE IMPLIEDWARRANTIES OF NON-INFRINGEMENT, MERCHANTABILITY AND FITNESS FOR A PARTICULARPURPOSE, REGARDING THE APPLE SOFTWARE OR ITS USE AND OPERATION ALONE OR INCOMBINATION WITH YOUR PRODUCTS.IN NO EVENT SHALL APPLE BE LIABLE FOR ANY SPECIAL, INDIRECT, INCIDENTAL ORCONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTEGOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION)ARISING IN ANY WAY OUT OF THE USE, REPRODUCTION, MODIFICATION AND/ORDISTRIBUTION OF THE APPLE SOFTWARE, HOWEVER CAUSED AND WHETHER UNDER THEORY OFCONTRACT, TORT (INCLUDING NEGLIGENCE), STRICT LIABILITY OR OTHERWISE, EVEN IFAPPLE HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.Copyright (C) 2008 Apple Inc. All Rights Reserved.*/#import "MyCLController.h"// Shorthand for getting localized strings, used in formats below for readability#define LocStr(key) [[NSBundle mainBundle] localizedStringForKey:(key) value:@"" table:nil]// This is a singleton class, see belowstatic MyCLController *sharedCLDelegate = nil;@implementation MyCLController@synthesize delegate, locationManager;- (id) init {	self = [super init];	if (self != nil) {		self.locationManager = [[[CLLocationManager alloc] init] autorelease];		self.locationManager.delegate = self; // Tells the location manager to send updates to this object	}	return self;}// Called when the location is updated- (void)locationManager:(CLLocationManager *)manager	didUpdateToLocation:(CLLocation *)newLocation		   fromLocation:(CLLocation *)oldLocation{	NSMutableString *update = [[[NSMutableString alloc] init] autorelease];		// Timestamp	NSDateFormatter *dateFormatter = [[[NSDateFormatter alloc] init]  autorelease];	[dateFormatter setDateStyle:NSDateFormatterMediumStyle];	[dateFormatter setTimeStyle:NSDateFormatterMediumStyle];	[update appendFormat:@"%@\n\n", [dateFormatter stringFromDate:newLocation.timestamp]];		// Horizontal coordinates	if (signbit(newLocation.horizontalAccuracy)) {		// Negative accuracy means an invalid or unavailable measurement		[update appendString:LocStr(@"LatLongUnavailable")];	} else {		// CoreLocation returns positive for North & East, negative for South & West		[update appendFormat:LocStr(@"LatLongFormat"), // This format takes 4 args: 2 pairs of the form coordinate + compass direction			fabs(newLocation.coordinate.latitude), signbit(newLocation.coordinate.latitude) ? LocStr(@"South") : LocStr(@"North"),			fabs(newLocation.coordinate.longitude),	signbit(newLocation.coordinate.longitude) ? LocStr(@"West") : LocStr(@"East")];		[update appendString:@"\n"];		[update appendFormat:LocStr(@"MeterAccuracyFormat"), newLocation.horizontalAccuracy];	}	[update appendString:@"\n\n"];	// Altitude	if (signbit(newLocation.verticalAccuracy)) {		// Negative accuracy means an invalid or unavailable measurement		[update appendString:LocStr(@"AltUnavailable")];	} else {		// Positive and negative in altitude denote above & below sea level, respectively		[update appendFormat:LocStr(@"AltitudeFormat"), fabs(newLocation.altitude),	(signbit(newLocation.altitude)) ? LocStr(@"BelowSeaLevel") : LocStr(@"AboveSeaLevel")];		[update appendString:@"\n"];		[update appendFormat:LocStr(@"MeterAccuracyFormat"), newLocation.verticalAccuracy];	}	[update appendString:@"\n\n"];		// Calculate disatance moved and time elapsed, but only if we have an "old" location	//	// NOTE: Timestamps are based on when queries start, not when they return. CoreLocation will query your	// location based on several methods. Sometimes, queries can come back in a different order from which	// they were placed, which means the timestamp on the "old" location can sometimes be newer than on the	// "new" location. For the example, we will clamp the timeElapsed to zero to avoid showing negative times	// in the UI.	//	if (oldLocation != nil) {		CLLocationDistance distanceMoved = [newLocation getDistanceFrom:oldLocation];		NSTimeInterval timeElapsed = [newLocation.timestamp timeIntervalSinceDate:oldLocation.timestamp];				[update appendFormat:LocStr(@"LocationChangedFormat"), distanceMoved];		if (signbit(timeElapsed)) {			[update appendString:LocStr(@"FromPreviousMeasurement")];		} else {			[update appendFormat:LocStr(@"TimeElapsedFormat"), timeElapsed];		}		[update appendString:@"\n\n"];	}		// Send the update to our delegate	[self.delegate newLocationUpdate:update];}// Called when there is an error getting the location- (void)locationManager:(CLLocationManager *)manager	   didFailWithError:(NSError *)error{	NSMutableString *errorString = [[[NSMutableString alloc] init] autorelease];	if ([error domain] == kCLErrorDomain) {		// We handle CoreLocation-related errors here		switch ([error code]) {			// This error code is usually returned whenever user taps "Don't Allow" in response to			// being told your app wants to access the current location. Once this happens, you cannot			// attempt to get the location again until the app has quit and relaunched.			//			// "Don't Allow" on two successive app launches is the same as saying "never allow". The user			// can reset this for all apps by going to Settings > General > Reset > Reset Location Warnings.			//			case kCLErrorDenied:				[errorString appendFormat:@"%@\n", NSLocalizedString(@"LocationDenied", nil)];				break;			// This error code is usually returned whenever the device has no data or WiFi connectivity,			// or when the location cannot be determined for some other reason.			//			// CoreLocation will keep trying, so you can keep waiting, or prompt the user.			//			case kCLErrorLocationUnknown:				[errorString appendFormat:@"%@\n", NSLocalizedString(@"LocationUnknown", nil)];				break;			// We shouldn't ever get an unknown error code, but just in case...			//			default:				[errorString appendFormat:@"%@ %d\n", NSLocalizedString(@"GenericLocationError", nil), [error code]];				break;		}	} else {		// We handle all non-CoreLocation errors here		// (we depend on localizedDescription for localization)		[errorString appendFormat:@"Error domain: \"%@\"  Error code: %d\n", [error domain], [error code]];		[errorString appendFormat:@"Description: \"%@\"\n", [error localizedDescription]];	}	// Send the update to our delegate	[self.delegate newLocationUpdate:errorString];}#pragma mark ---- singleton object methods ----// See "Creating a Singleton Instance" in the Cocoa Fundamentals Guide for more info+ (MyCLController *)sharedInstance {    @synchronized(self) {        if (sharedCLDelegate == nil) {            [[self alloc] init]; // assignment not done here        }    }    return sharedCLDelegate;}+ (id)allocWithZone:(NSZone *)zone {    @synchronized(self) {        if (sharedCLDelegate == nil) {            sharedCLDelegate = [super allocWithZone:zone];            return sharedCLDelegate;  // assignment and return on first allocation        }    }    return nil; // on subsequent allocation attempts return nil}- (id)copyWithZone:(NSZone *)zone{    return self;}- (id)retain {    return self;}- (unsigned)retainCount {    return UINT_MAX;  // denotes an object that cannot be released}- (void)release {    //do nothing}- (id)autorelease {    return self;}@end

⌨️ 快捷键说明

复制代码 Ctrl + C
搜索代码 Ctrl + F
全屏模式 F11
切换主题 Ctrl + Shift + D
显示快捷键 ?
增大字号 Ctrl + =
减小字号 Ctrl + -