Adopting Cocoa Design Patterns
https://developer.apple.com/library/mac/documentation/Swift/Conceptual/BuildingCocoaApps/AdoptingCocoaDesignPatterns.html#//apple_ref/doc/uid/TP40014216-CH7-ID6
One aid in writing well-designed,resilient apps is to use Cocoa’s established design patterns. Many of these patterns rely on classes defined in Objective-C. Because of Swift’s interoperability with Objective-C,you can take advantage of these common patterns in your Swift code. In many cases,you can use Swift language features to extend or simplify existing Cocoa patterns,making them more powerful and easier to use.
Delegation
In both Swift and Objective-C,delegation is often expressed with a protocol that defines the interaction and a conforming delegate property. Just as in Objective-C,before you send a message that a delegate may not respond to,you ask the delegate whether it responds to the selector. In Swift,you can use optional chaining to invoke an optional protocol method on a possiblynil object and unwrap the possible result usingif–let syntax. The code listing below illustrates the following process:
-
Check thatmyDelegate is notnil .
-
Check thatmyDelegate implements the methodwindow:willUseFullScreenContentSize: .
-
If 1 and 2 hold true,invoke the method and assign the result of the method to the value namedfullScreenSize .
-
Print the return value of the method.
-
class MyDelegate: NSObject, NSWindowDelegate {
-
func window(window: NSWindow, willUseFullScreenContentSize proposedSize: NSSize) -> NSSize {
-
return proposedSize
-
}
-
var myDelegate: NSWindowDelegate? = MyDelegate()
-
if let fullScreenSize = myDelegate?.window?(myWindow,116)"> willUseFullScreenContentSize: mySize) {
-
print(NSStringFromSize(fullScreenSize))
-
}
Lazy Initialization
Alazy propertyis a property whose underlying value is only initialized when the property is first accessed. Lazy properties are useful when the initial value for a property either requires complex or computationally expensive setup,or cannot be determined until after an instance’s initialization is complete.
In Objective-C,a property may override its synthesized getter method such that the underlying instance variable is conditionally initialized if its value isnil :
-
@property NSXMLDocument *XMLDocument;
-
-
- (NSXMLDocument *)XMLDocument {
-
if (_XMLDocument == nil) {
-
_XMLDocument = [[NSXMLDocument alloc] initWithContentsOfURL:[[NSBundle mainBundle] URLForResource:@"/path/to/resource" withExtension:@"xml"] options:0 error:nil];
-
}
-
return _XMLDocument;
-
}
In Swift,a stored property with an initial value can be declared with thelazy modifier to have the expression calculating the initial value only evaluated when the property is first accessed:
-
lazy var XMLDocument: NSXMLDocument = try! NSXMLDocument(contentsOfURL: NSBundle.mainBundle().URLForResource("document",116)"> withExtension: "xml")!,116)"> options: 0)
Because a lazy property is only computed when accessed for a fully-initialized instance it may access constant or variable properties in its default value initialization expression:
pattern: String
regex: NSRegularExpression = NSRegularExpression(pattern: self.pattern,116)"> options: [])
For values that require additional setup beyond initialization,you can assign the default value of the property to a self-evaluating closure that returns a fully-initialized value:
ISO8601DateFormatter: NSDateFormatter = {
let formatter = NSDateFormatter()
formatter.locale = NSLocale(localeIdentifier: "en_US_POSIX")
dateFormat = "yyyy-MM-dd'T'HH:mm:ssZZZZZ"
formatter
}()
NOTE
If a lazy property has not yet been initialized and is accessed by more than one thread at the same time,there is no guarantee that the property will be initialized only once.
For more information,seeLazy Stored PropertiesinThe Swift Programming Language (Swift 2.1).
Error Handling
In Cocoa,methods that produce errors take anNSError pointer parameter as their last parameter,which populates its argument with anNSError object if an error occurs. Swift automatically translates Objective-C methods that produce errors into methods that throw an error according to Swift’s native error handling functionality.
Methods thatconsumeerrors,such as delegate methods or methods that take a completion handler with anNSError object argument,do not become methods that throw when imported by Swift.
For example,consider the following Objective-C method fromNSFileManager :
-
- (BOOL)removeItemAtURL:(NSURL *)URL
-
error:(NSError **)error;
removeItemAtURL(URL: NSURL) throws
Notice that theremoveItemAtURL(_:) method is imported by Swift with aVoid return type,noerror parameter,and athrows declaration.
If the last non-block parameter of an Objective-C method is of typeNSError ** ,Swift replaces it with thethrows keyword,to indicate that the method can throw an error. If the Objective-C method’s error parameter is also its first parameter,Swift attempts to simplify the method name further,by removing the “WithError” or “AndReturnError” suffix,if present,from the first part of the selector. If another method is declared with the resulting selector,the method name is not changed.
If an error producing Objective-C method returns aBOOL value to indicate the success or failure of a method call,Swift changes the return type of the function toVoid . Similarly,if an error producing Objective-C method returns anil value to indicate the failure of a method call,Swift changes the return type of the function to a non-optional type.
Otherwise,if no convention can be inferred,the method is left intact.
Use theNS_SWIFT_NOTHROW macro on an Objective-C method declaration that produces anNSError to prevent it from being imported by Swift as a method that throws.
Catching and Handling an Error
Here’s an example of how to handle an error when calling a method in Objective-C:
-
NSFileManager *fileManager = [NSFileManager defaultManager];
-
NSURL *fromURL = [NSURL fileURLWithPath:@"/path/to/old"];
-
toURL = [@"/path/to/new"];
-
NSError *error = nil;
-
BOOL success = [fileManager moveItemAtURL:URL toURL:toURL error:&error];
-
if (!success) {
-
NSLog(@"Error: %@", error.domain);
-
And here’s the equivalent code in Swift:
fileManager = NSFileManager.defaultManager()
-
fromURL = NSURL(fileURLWithPath: "/path/to/old")
-
toURL = "/path/to/new")
-
do {
-
try fileManager.moveItemAtURL(fromURL,116)"> toURL: toURL)
-
} catch error as NSError {
-
print("Error: (error.domain)")
-
}
Additionally,you can usecatch clauses to match on particular error codes as a convenient way to differentiate possible failure conditions:
catch NSCocoaError.FileNoSuchFileError {
-
"Error: no such file exists")
-
FileReadUnsupportedSchemeError {
-
"Error: unsupported scheme (should be 'file://')")
-
}
Converting Errors to Optional Values
NULL for the error parameter when you only care whether there was an error,not what specific error occurred. In Swift,you writetry? to change a throwing expression into one that returns an optional value,and then check whether the value isnil .
NSFileManagerinstance methodURLForDirectory(_:inDomain:appropriateForURL:create:) returns a URL in the specified search path and domain,or produces an error if an appropriate URL does not exist and cannot be created. In Objective-C,the success or failure of the method can be determined by whether anNSURL object is returned.
-
tmpURL = [fileManager URLForDirectory:NSCachesDirectory inDomain:NSUserDomainMask appropriateForURL:nil create:YES error:NULL];
-
tmpURL != // ...
-
You can do the same in Swift as follows:
tmpURL = try? URLForDirectory(.CachesDirectory,116)"> inDomain: .UserDomainMask,116)"> appropriateForURL: nil,116)"> create: true) {
-
// ...
-
}
Throwing an Error
If an error occurs in an Objective-C method,that error is used to populate the error pointer argument of that method:
-
// an error occurred
-
errorPtr) {
-
*errorPtr = [NSError errorWithDomain:NSURLErrorDomain
-
code:NSURLErrorCannotOpenFile
-
userInfo: If an error occurs in a Swift method,the error is thrown,and automatically propagated to the caller:
// an error occurred
-
throw NSError(domain: NSURLErrorDomain,116)"> code: NSURLErrorCannotOpenFile,116)"> userInfo: nil)
If Objective-C code calls a Swift method that throws an error,the error is automatically propagated to the error pointer argument of the bridged Objective-C method.
readFromFileWrapper(_:ofType:) method inNSDocument . In Objective-C,this method’s last parameter is of typeNSError ** . When overriding this method in a Swift subclass ofNSDocument ,the method replaces its error parameter and throws instead.
SerializedDocument: NSDocument {
-
static ErrorDomain = "com.example.error.serialized-document"
-
representedObject: [String: AnyObject] = [:]
-
override func readFromFileWrapper(fileWrapper: NSFileWrapper,116)"> ofType typeName: String) throws {
-
guard data = fileWrapper.regularFileContents else {
-
nil)
-
}
-
-
case JSON as [ AnyObject] = try NSJSONSerialization.JSONObjectWithData(data,116)"> options: []) {
-
self.representedObject = JSON
-
else {
-
SerializedDocument.ErrorDomain,116)"> code: -1,145)"> nil)
-
If the method is unable to create an object with the regular file contents of the document,it throws anNSError object. If the method is called from Swift code,the error is propagated to its calling scope. If the method is called from Objective-C code,the error instead populates the error pointer argument.
Although Swift error handling resembles exception handling in Objective-C,it is entirely separate functionality. If an Objective-C method throws an exception during runtime,Swift triggers a runtime error. There is no way to recover from Objective-C exceptions directly in Swift. Any exception handling behavior must be implemented in Objective-C code used by Swift.
Key-Value Observing
Key-value observing is a mechanism that allows objects to be notified of changes to specified properties of other objects. You can use key-value observing with a Swift class,as long as the class inherits from theNSObject class. You can use these three steps to implement key-value observing in Swift.
-
Add thedynamic modifier to any property you want to observe. For more information ondynamic ,seeRequiring Dynamic Dispatch.
-
class MyObjectToObserve: NSObject {
-
dynamic var myDate = NSDate()
-
func updateDate() {
-
myDate = }
-
}
-
Create a global context variable.
-
Add an observer for the key-path,override theobserveValueForKeyPath:ofObject:change:context: method,and remove the observer indeinit .
MyObserver: var objectToObserve = MyObjectToObserve()
-
override init() {
-
super.init()
-
objectToObserve.addObserver(self, forKeyPath: "myDate",116)"> options: .New,116)"> context: &myContext)
-
-
func observeValueForKeyPath(keyPath: String?,116)"> ofObject object: AnyObject?,116)"> change: [String : AnyObject]?,116)"> context: UnsafeMutablePointer<Void>) {
-
if context == &myContext {
-
if let newValue = change?[NSKeyValueChangeNewKey] {
-
print("Date changed: (newValue)")
-
}
-
} else {
-
super.observeValueForKeyPath(keyPath,116)"> ofObject: object,116)"> change: change,116)"> context: context)
-
-
deinit {
-
removeObserver(myContext)
-
}
Undo
NSUndoManagerto allow users to reverse that operation’s effect. You can take advantage of Cocoa’s undo architecture in Swift just as you would in Objective-C.
Objects in an app’s responder chain—that is,subclasses ofNSResponder on OS X andUIResponder on iOS—have a read-onlyundoManager property that returns an optionalNSUndoManager value,which manages the undo stack for the app. Whenever an action is taken by the user,such as editing the text in a control or deleting an item at a selected row,an undo operation can be registered with the undo manager to allow the user to reverse the effect of that operation. An undo operation records the steps necessary to counteract its corresponding operation,such as setting the text of a control back to its original value or adding a deleted item back into a table.
NSUndoManager supports two ways to register undo operations: a “simple undo",which performs a selector with a single object argument,and an “invocation-based undo",which uses anNSInvocation object that takes any number and any type of arguments.
Taskmodel,which is used by aToDoListController to display a list of tasks to complete:
Task {
-
text: completed: Bool = false
-
init(text: String) {
-
text = text
-
ToDoListController: NSViewController,153)"> NSTableViewDataSource,153)"> NSTableViewDelegate {
-
@IBOutlet tableView: NSTableView!
-
tasks: [Task] = []
-
// ...
-
For properties in Swift,you can create an undo operation in thewillSet observer usingself as thetarget ,the corresponding Objective-C setter as theselector ,and the current value of the property as theobject :
notesLabel: NSTextView!
-
notes: String? {
-
willSet {
-
undoManager?.registerUndoWithTarget( selector: "setNotes:",116)"> object: title)
-
setActionName(NSLocalizedString("todo.notes.update",116)"> comment: "Update Notes"))
-
didSet {
-
notesLabel.string = notes
-
For methods that take more than one argument,you can create an undo operation using anNSInvocation ,which invokes the method with arguments that effectively revert the app to its previous state:
remainingLabel: markTask( task: Task,116)"> asCompleted Bool) {
-
target = undoManager?.prepareWithInvocationTarget(self) as? ToDoListController {
-
target.markTask(task,116)"> asCompleted: !completed)
-
"todo.task.mark",22)"> "Mark As Completed"))
-
task.completed = completed
-
tableView.reloadData()
-
numberRemaining = tasks.filter{ $0.completed }.count
-
remainingLabel. String(format: NSLocalizedString("todo.task.remaining",22)"> "Tasks Remaining: %d"),116)"> numberRemaining)
-
TheprepareWithInvocationTarget(_:) method returns a proxy to the specifiedtarget . By casting toToDoListController ,this return value can make the corresponding call tomarkTask(_:asCompleted:) directly.
Target-action is a common Cocoa design pattern in which one object sends a message to another object when a specific event occurs. The target-action model is fundamentally similar in Swift and Objective-C. In Swift,you use theSelector type to refer to Objective-C selectors. For an example of using target-action in Swift code,seeObjective-C Selectors.
Singleton
Singletons provide a globally accessible,shared instance of an object. You can create your own singletons as a way to provide a unified access point to a resource or service that’s shared across an app,such as an audio channel to play sound effects or a network manager to make HTTP requests.
dispatch_once function,which executes a block once and only once for the lifetime of an app:
-
+ (instancetype)sharedInstance {
-
id _sharedInstance = static dispatch_once_t onceToken;
-
dispatch_once(&onceToken, ^{
-
_sharedInstance = [[self alloc] init];
-
});
-
_sharedInstance;
-
Singleton {
-
sharedInstance = Singleton()
-
If you need to perform additional setup beyond initialization,you can assign the result of the invocation of a closure to the global constant:
sharedInstance: Singleton = {
-
instance = // setup code
-
instance
-
}()
-
The Swift Programming Language (Swift 2.1).
Introspection
isKindOfClass: method to check whether an object is of a certain class type,and theconformsToProtocol: method to check whether an object conforms to a specified protocol. In Swift,you accomplish this task by using theis operator to check for a type,or theas? operator to downcast to that type.
You can check whether an instance is of a certain subclass type by using theis operator. Theis operator returnstrue if the instance is of that subclass type,andfalse if it is not.
if object is UIButton {
-
// object is of type UIButton
-
// object is not of type UIButton
-
You can also try and downcast to the subclass type by using theas? operator. Theas? operator returns an optional value that can be bound to a constant using anif -let statement.
button = // object is successfully cast to type UIButton and bound to button
-
// object could not be cast to type UIButton
-
The Swift Programming Language (Swift 2.1).
Checking for and casting to a protocol follows exactly the same syntax as checking for and casting to a class. Here is an example of using theas? operator to check for protocol conformance:
dataSource = UITableViewDataSource {
-
// object conforms to UITableViewDataSource and is bound to dataSource
-
// object not conform to UITableViewDataSource
-
Note that after this cast,monospace; word-wrap:break-word">dataSource constant is of typeUITableViewDataSource ,so you can only call methods and access properties defined on theUITableViewDataSource protocol. You must cast it back to another type to perform other operations.
The Swift Programming Language (Swift 2.1).
Serializing
Serialization allows you to encode and decode objects in your application to and from architecture-independent representations,such as JSON or property lists. These representations can then be written to a file or transmitted to another process locally or over a network.
NSJSONSerialiationandNSPropertyListSerialization to initialize objects from a decoded JSON or property list serialization value—usually an object of typeNSDictionary<NSString *,id> . You can do the same in Swift,but because Swift enforces type safety,additional type casting is required in order to extract and assign values.
Venuestructure,with aname property of typeString ,acoordinate property of typeCLLocationCoordinate2D ,monospace; word-wrap:break-word">categoryproperty of a nestedCategory enumeration type :
import Foundation
-
CoreLocation
-
struct Venue {
-
enum Category: String {
-
case Entertainment
-
Food
-
Nightlife
-
Shopping
-
name: String
-
coordinates: CLLocationCoordinate2D
-
category: Category
-
An app that interacts withVenue instances may communicate with a web server that vends JSON representations of venues,such as:
-
{
-
"name": "Caffe Macs",
-
"coordinates": {
-
"lat": 37.330576,monospace; word-wrap:break-word">"lng": -122.029739
-
},monospace; word-wrap:break-word">"category": "Food"
-
You can provide a failableVenue initializer,which takes anattributes parameter of type[String : AnyObject] corresponding to the value returned fromNSJSONSerialiation orNSPropertyListSerialization :
init?( attributes: [ String : AnyObject]) {
-
name = attributes["name"] String,116)"> coordinates = "coordinates"] as? [ Double],116)"> latitude = coordinates["lat"],116)"> longitude = "lng"],116)"> category = Category(rawValue: "category"] String ?? "Invalid")
-
else {
-
return nil
-
name = name
-
coordinates = CLLocationCoordinate2D(latitude: latitude,116)"> longitude: longitude)
-
category = category
-
Aguard statement consisting of multiple optional binding expressions ensures that theattributes argument provides all of the required information in the expected format. If any one of the optional binding expressions fails to assign a value to a constant,monospace; word-wrap:break-word">guard statement immediately stops evaluating its condition,and executes itselse branch,which returns You can create aVenue from a JSON representation by creating a dictionary of attributes usingNSJSONSerialization and then passing that into the correspondingVenue initializer:
JSON = "{"name": "Caffe Macs","coordinates": {"lat": 37.330576,"lng": -122.029739},"category": "Food"}"
-
JSON.dataUsingEncoding(NSUTF8StringEncoding)!
-
attributes = options: []) as! [ AnyObject]
-
venue = Venue(attributes: attributes)!
-
venue.name)
-
// prints "Caffe Macs"
Validating Serialized Representations
In the previous example,monospace; word-wrap:break-word">Venue initializer optionally returns an instance only if all of the required information is provided. If not,the initializer simply returns It is often useful to determine and communicate the specific reason why a given collection of values failed to produce a valid instance. To do this,you can refactor the failable initializer into an initializer that throws:
ValidationError: ErrorType {
-
Missing(String)
-
Invalid( AnyObject]) String ValidationError.Missing("name")
-
Double] "coordinates")
-
"lng"]
-
else{
-
Invalid( categoryName = "category")
-
categoryName) Instead of capturing all of theattributes values at once in a singleguard statement,this initializer checks each value individually and throws an error if any particular value is either missing or invalid.
For instance,if the provided JSON didn’t have a value for the key"name" ,the initializer would throw the enumeration valueValidationError.Missing with an associated value corresponding to the"name" field:
-
"lat": 37.77492,monospace; word-wrap:break-word">"lng": -122.419
-
"category": "Shopping"
-
}
"{"coordinates": {"lat": 37.7842,"lng": -122.4016},"category": "Convention Center"}"
-
venue = attributes)
-
Missing( field) {
-
"Missing Field: (field)// prints "Missing Field: name"
Or,if the provided JSON specified all of the required fields,but had a value for the"category" key that didn’t correspond with therawValue of any of the definedCategory cases,monospace; word-wrap:break-word">ValidationError.Invalid with an associated value corresponding to the"category" field:
-
"name": "Moscone West",monospace; word-wrap:break-word">"lat": 37.7842,monospace; word-wrap:break-word">"lng": -122.4016
-
"category": "Convention Center"
-
"{"name": "Moscone West","coordinates": {"lat": 37.7842,116)">Invalid("Invalid Field: (// prints "Invalid Field: category"
API Availability
Some classes and methods are not available to all versions of all platforms that your app targets. To ensure that your app can accommodate any differences in functionality,you check the availability those APIs.
respondsToSelector:andinstancesRespondToSelector: methods to check for the availability of a class or instance method. Without a check,the method call throws anNSInvalidArgumentException “unrecognized selector sent to instance” exception. For example,monospace; word-wrap:break-word">requestWhenInUseAuthorizationmethod is only available to instances ofCLLocationManager starting in iOS 8.0 and OS X 10.10:
-
if ([CLLocationManager instancesRespondToSelector:@selector(requestWhenInUseAuthorization)]) {
-
// Method is available for use.
-
} else {
-
// Method is not available.
-
Here’s the previous example,in Swift:
locationManager = CLLocationManager()
-
locationManager.requestWhenInUseAuthorization()
-
// error: only available on iOS 8.0 or newer
If the app targets a version of iOS prior to 8.0 or OS X prior to 10.10,requestWhenInUseAuthorization() is unavailable,so the compiler reports an error.
Swift code can use the availability of APIs as a conditionat run-time. Availability checks can be used in place of a condition in a control flow statement,such as anif ,monospace; word-wrap:break-word">guard ,orwhile statement.
Taking the previous example,you can check availability in anif statement to callrequestWhenInUseAuthorization() only if the method is available at runtime:
#available( iOS 8.0, OSX 10.10,*) {
-
Alternatively,you can check availability in a
else { return }
-
requestWhenInUseAuthorization()
Each platform argument consists of one of platform names listed below,followed by corresponding version number. The last argument is an asterisk (* ),which is used to handle potential future platforms.
Platform Names:
All of the Cocoa APIs provide availability information,so you can be confident the code you write works as expected on any of the platforms your app targets.
You can denote the availability of your own APIs by annotating declarations with the@available attribute. The@available attribute uses the same syntax as the#available runtime check,with the platform version requirements provided as comma-delimited arguments.
For example:
@available( useShinyNewFeature () {
-
}
A method annotated with the@available attribute can safely use APIs available to the specified platform requirements without the use of an explicit availability check.
Processing Command-Line Arguments
On OS X,you typically open an app by clicking its icon in the Dock or Launchpad,or by double-clicking its icon from the Finder. However,you can also open an app programmatically and pass command-line arguments from Terminal.
You can get a list of any command-line arguments that are specified at launch by accessing theProcess.arguments type property. This is equivalent to accessing thearguments property onNSProcessInfo.processInfo() .
- $ /path/to/app --argumentName value
for argument in Process.arguments {
-
argument)
-
// prints "/path/to/app"
-
// prints "--argumentName"
-
// prints "value"
The first element inProcess.arguments is always a path to the executable. Any command-line arguments that are specified at launch begin atProcess.arguments[1] .
(编辑:李大同)
【声明】本站内容均来自网络,其相关言论仅代表作者个人观点,不代表本站立场。若无意侵犯到您的权利,请及时与联系站长删除相关内容!
|