Quickly understand Swift's classes and structures based on OC

Quickly understand Swift's classes and structures based on OC

First of all, I found that when writing Swift code, I often encountered problems such as Xcode not being able to prompt, freezing, and directly crashing, especially when mixing Swift and OC. (I don’t know if other developers have had such experiences, but I believe such problems will be solved soon.

Then I feel that Swift is not as simple as many friends on the Internet say. There are many details that are worth noting, and even many ideas have subverted traditional development languages! There are also many features that combine the advantages of other programming languages!

I personally think Swift is a trend and the most avant-garde development language at present, combining the advantages of many development languages!
There are already many Swift-related papers and blogs on the Internet, so I won’t recommend or reprint them here! I will summarize classes and structures, as well as related knowledge!

In Swift, classes and structures are common ways to encapsulate data and methods! First, let's take a look at what they have in common:

Can have attributes and methods;

All have constructors;

Both support subsidiary scripts;

Both support extensions;

Both support the protocol.

Then let's look at their differences:

Classes have inheritance;

The structure has an automatically generated one-by-one initializer;

When performing assignment operations, structures are always copied (Arrays are specially handled);

Structures can declare static properties and methods;

From the perspective of design patterns, class design focuses more on encapsulation of functions, while structure design focuses more on encapsulation of data. (Use cars and bookshelves to distinguish between classes and structures)

1. Construction process

1. Default Values

In OC classes and structures, member properties are implicitly given default values. The default value of an object is nil, and the default value of a basic data type is 0. However, in Swift, properties must be explicitly set to default values. Swift will call the default value constructor before calling the constructor to initialize all properties that have default values ​​set.

When a construction process is completed, the storage properties of the constructed class or structure instance will have values, otherwise it will compile incorrectly!

  1. class A : SuperClass {
  2. var _a = 1        // Default value = Int(1)  
  3. var _b: Int? // default value = nil  
  4. var _c: Int // No default value, must be assigned in the constructor  
  5. var _d: Int! // default value = nil  
  6. init() {
  7. _c = 1        // Before calling the parent class's constructor, you must assign a value to _c, otherwise a compilation error will occur  
  8. super .init()
  9. }
  10. ...
  11. }

2. Constructor

Similar to the -(instance)init method of OC. The difference from OC*** is that OC returns a pointer to the object after initialization, while Swift returns a reference to the object after initialization.

According to the actual construction process of the constructor, the constructor can be divided into convenience constructor and designated constructor, but only the designated constructor is the real constructor. The convenience constructor only adds a convenient parameter to the designated constructor, or adds some additional operations.

The following points need to be noted during development:

Both classes and structures need to initialize all storage properties in the constructor;

Before calling the superclass's constructor, the subclass must ensure that all stored properties declared in this class have values.

A convenience initializer must directly or indirectly call the designated initializer of the class.

  1. class A : SomeClass {
  2. var _a: Int
  3. var _b = 1_000
  4. //Specify the constructor  
  5. init() {
  6. self._a = 5       // If it is declared like this 'var _a: Int = 5' or 'var _a = 5', then the init() constructor can be called directly without writing  
  7. super .init()
  8. }
  9. //Specify the constructor  
  10. init(a: Int) {
  11. self._a = a // Because the _a attribute has no default value, _a must be assigned a value before calling super.init(), otherwise a compilation error will occur!  
  12. super .init()
  13. }
  14. // Convenience constructor  
  15. convince init(a: Int, b: Int) {
  16. self.init(a: a + b) // Directly call the specified constructor  
  17. }
  18. // Convenience constructor  
  19. convince init(a: Int, b: Int, c: Int) {
  20. self.init(a: a, b: b + c) // Indirectly call the specified constructor  
  21. }
  22. ...
  23. }

3. Destructor

It is very similar to OC's dealloc, so I won't explain it here.

  1. class A {
  2. ...
  3. deinit {
  4. //... internal processing of the destructor  
  5. }
  6. ...
  7. }

2. Attributes

Classes in Objective-C have both properties and instance variables, but in Swift, both instance variables and properties of a class are implemented as properties.

1. Storage properties

Simply put, it is a member variable/constant. Swift can add property monitors to storage properties to respond to changes when the property value is set.

  1. class SomeClass {
  2. let _a = 100          // Constants  
  3. var _b: Int // variable without default value  
  4. var _c = 200          // Default value = Int variable of 200  
  5. var _d: Int = 200 { // Default value = Int variable of 200. If a property monitor is added, the declared variable type must be displayed.  
  6. didSet {
  7. println( "A's _c property didSet = old:\(oldValue) -> \(self._c)" ) // oldValue represents the previous value  
  8. }
  9. willSet {
  10. println( "A's _c attribute willSet = \(self._c) -> new:\(newValue)" ) // newValue represents the value that will be set  
  11. }
  12. }
  13. }

2. Computed properties

Computed properties do not store any data, they just provide a convenient set/get interface.

  1. class A {
  2. class var a: Int { // This is a computed property of the class (different from the computed property of the instance of the class below)  
  3. return   1001  
  4. }
  5. private (set) var _b = 100     // Externally accessible but not modifiable  
  6. private var _a = 100          // Private variables, cannot be accessed from outside  
  7. var a: Int { // read-only computed property  
  8. return _a
  9. }
  10. var b: Int { // readable and writable computed property  
  11. get {
  12. retrun _a
  13. }
  14. set {
  15. _a = newValue // newValue represents the input value  
  16. }
  17. }
  18. }

3. Delayed storage properties

I believe everyone has heard of lazy loading, which is to avoid unnecessary performance overhead and only perform data loading when the data is really needed. Swift can use the lazy keyword to declare lazy storage properties. Lazy storage properties will not be initialized in the default value constructor, but will be initialized before the first use! Although it is not initialized, the compiler will think it has a value.

Global constants or variables are all lazily loaded, including static properties of structures.

  1. let some = A()
  2. class A {
  3. lazy var view = UIView(frame: CGRectZero) // Defines a lazy storage property ...  
  4. }

4. Static properties

Structures can use the keyword static to declare static storage properties. (Enumerations can also have static properties.) Swift classes do not support static properties or static temporary variables. This can be used as a way to declare a singleton in Swift:

  1. class Tools {
  2. class func sharedInstance() -> Tools {
  3. struct Static {
  4. static let sharedInstance = QNTools()
  5. }
  6. return Static.sharedInstance
  7. }
  8. }

III. Methods

Swift classes and structures can define their own methods! (OC structures do not have methods)

1. Parameters

The parameters of a method have local parameter names and external parameter names. If they are the same, just write one! The parameters of Swift methods are very flexible. They can be values, references, closures, tuples... The return value of Swift methods is as flexible as the parameters.

Here is a simple addition method to demonstrate the method's parameters:

  1. class A {
  2. // eg. A simple addition method  
  3. // Full version  
  4. class func sum1(let a /*external parameter name*/ aValue /*internal parameter name*/ : Int, let b /*external parameter name*/ bValue /*internal parameter name*/ : Int) -> Int {
  5. return aValue + bValue
  6. }
  7. // When the external and internal parameters of a function are the same, you can only write one. In this case, the name of the first parameter is hidden when calling  
  8. class func sum2(a: Int, b: Int) -> Int {
  9. return a + b
  10. }
  11. // Use the _ symbol to hide the function parameter name when calling. The first parameter is hidden by default.  
  12. class func sum3(a: Int, _ b: Int) -> Int {
  13. // The parameter names of embedded functions can be hidden. No need to use the _ symbol to declare  
  14. func sum4(a: Int, b: Int) -> Int {
  15. return a + b
  16. }
  17. return sum4(a, b)
  18. }
  19. // You can use the let/var keyword to declare whether the parameter is passed in as a constant or a variable. (If it is a constant, you don't need to write let explicitly)  
  20. class func sum4(let a: Int, _ b: Int) -> Int {
  21. // The parameter names of embedded functions can be hidden. No need to use the _ symbol to declare  
  22. func sum4(a: Int, b: Int) -> Int {
  23. return a + b
  24. }
  25. return sum4(a, b)
  26. }
  27. // You can use the let/var keyword to declare whether the parameter is passed in as a constant or a variable. (If it is a constant, you don't need to write let explicitly)  
  28. class func sum5(let a: Int, let _ b: Int) -> Int {
  29. // The parameter names of embedded functions can be hidden. No need to use the _ symbol to declare  
  30. return a + b
  31. }
  32. class func sum6(var a: Int, var _ b: Int) -> Int {
  33. // The parameter names of embedded functions can be hidden. No need to use the _ symbol to declare  
  34. a++
  35. b++
  36. return a + b
  37. }
  38. // You can use the inout keyword to pass by reference  
  39. class func add(inout value: Int) {
  40. value++
  41. }
  42. }
  1. A.sum1(a: 1 , b: 2 ) // result: 3  
  2. A.sum2( 1 , b: 2 ) // result: 3  
  3. A.sum3( 1 , 2 ) // result: 3  
  4. var aTemp: Int = 1001         // aTemp = 1001  
  5. A.add(&aTemp)
  6. aTemp // aTemp = 1002  
  7. A.sum5( 1 , 2 ) // result: 3  
  8. A.sum6( 1 , 2 ) // result: 5  

2. Instance Methods

Methods owned by instances of a class or structure!

  1. class A {
  2. private (set) var a: Int = 100  
  3. func reset() -> Void {
  4. self.a = 100  
  5. }
  6. }
  7. struct S {
  8. var a: Int = 100  
  9. mutating func reset() -> Void { // Note: If you need to modify properties in instance methods of structures and enumerations, you need to add a mutating field  
  10. self.a = 100  
  11. }
  12. }

3. Class Methods

The class itself in Swift is also an instance. It has no stored properties, but has calculated properties and methods!

Refer to the example in "1. Parameters"

4. Static Methods

Structures can use the keyword static to declare static methods.

  1. struct S {
  2. static func name() -> String {
  3. return   "Liuyu"  
  4. }
  5. }

4. Subsidiary Scripts

Swift provides the syntax of auxiliary scripts to simplify query-like behaviors. For example, accessing the nth element of an array, array[n], accessing the value of a dictionary, dictionary["key"], can all be achieved through auxiliary scripts. Here is an example of querying elements in an array through a string index.

  1. // Extend a subscript to access data via a string location  
  2. extension Array {
  3. subscript(index: String) -> T? {
  4. if let iIndex = index.toInt() {
  5. return self[iIndex]
  6. }
  7. return nil
  8. }
  9. }
  10. let array = [ "Liu0" , "Liu1" , "Liu2" ]
  11. array[ 1 ] // result : Liu1  
  12. array[ "1" ]! // result : Liu1  

5. Inheritance

Like OC, Swift classes can inherit from their parent classes to obtain their properties and methods (with limitations). Swift classes have many safety measures in place for inheritance.

  1. class SomeSuperClass {
  2. func someFunc1() {
  3. ...
  4. }
  5. // Define methods that cannot be overridden by subclasses, and need to add the final keyword  
  6. final func someFunc2() {
  7. ...
  8. }
  9. }
  10. class SomeClass : SomeSuperClass {
  11. // To overload the parent class method, you need to add the override keyword  
  12. override func someFunc1() {
  13. ...
  14. super .someFunc1()
  15. }
  16. // Methods that cannot be overridden by subclasses  
  17. override func someFunc2() { // Error  
  18. ...
  19. super .someFunc2()
  20. }
  21. }

6. Extension

Extensions are about adding new functionality to an existing class, structure, or enumeration type. This includes the ability to extend a type without access to the original source code (i.e., reverse engineering). Extensions are similar to categories in Objective-C, but there are many subtle differences:

Extensions have no name, and once extended they apply to the entire project (module)

If you want to override an existing method in an extension, you need to add the override keyword (it is not recommended to modify existing methods)

New nested types can be defined

Here is an extension for calculating distance in a mathematical project

  1. typealias Distance = Double
  2. extension Distance {
  3. var km: Double { return self/1_000. 0 }
  4. var m : Double { return self }
  5. var cm: Double { return self* 100.0 }
  6. var mm: Double { return self*1_000. 0 }
  7. }
  8. let distance = Distance( 1000 ) // 1000m distance  
  9. distance.km // result : 1.0 (km)  
  10. distance.m // result : 1000.0 (m)  
  11. distance.cm // result : 100.0 (cm)  

<<:  Tips and tricks for using JavaScript in Swift

>>:  The competitors that keep Apple awake at night

Recommend

KOL marketing promotion, how does KOL bring products?

Currently, more and more brand owners choose KOL ...

APP user growth: How to use data analysis to improve user growth?

How can we make our APP stand out among a large n...

How much does it cost to make a supplement app in Handan?

There are two types of production of Handan Suppl...

App Increment and Retargeting: User Segmentation

For a long time, or at least since advertising be...

Review of marketing planning cases and the cool advertising in 2019!

• Introduction• "It's fun to be silly fo...

10 tips to help you write a hit video title

With the advent of the video era, in order to cre...

After the bubble, the iceberg and fire of smart hardware

[[123651]] As the passion of smart hardware entre...

8 promotion and monetization techniques, which one do you pick?

Today I will share with you the 8 most common mon...

100% Method to Create a Hot Short Video Account

In the era of attention economy, short videos hav...

Form costs reduced by 30%, home decoration advertising case!

With the further deepening of regulation and cont...

NetEase Wugu Reading Product Analysis Report

In today's information-shock world, reading h...

How to conduct a marketing campaign that can be implemented?

Today I will share two issues that I have gradual...