接中篇,答“卓同学的 Swift 面试题”--中篇
上篇链接:答“卓同学的 Swift 面试题”--上篇
面试题链接:卓同学的 Swift 面试题
在此篇中,回答面试题基础篇的最后13道题:
24. Optional(可选型) 是用什么实现的
25. 如何自定义下标获取
26. ?? 的作用
27. lazy 的作用
28. 一个类型表示选项,可以同时表示有几个选项选中(类似 UIViewAnimationOptions ),用什么类型表示
29. inout 的作用
30. Error 如果要兼容 NSError 需要做什么操作
31. 下面的代码都用了哪些语法糖
[1, 2, 3].map{ $0 * 2 }
32. 什么是高阶函数
33. 如何解决引用循环
34. 下面的代码会不会崩溃,说出原因
var mutableArray = [1,2,3]
for _ in mutableArray {
mutableArray.removeLast()
}
35. 给集合中元素是字符串的类型增加一个扩展方法,应该怎么声明
36. 定义静态方法时关键字 static 和 class 有什么区别
24. Optional(可选型) 是用什么实现的
- Optional 是个枚举。有两个枚举成员,
Some(T)
和None
- 通关泛型来兼容所有类型
25. 如何自定义下标获取
使用subscript
语法
struct TimesTable {
let multiplier: Int
subscript(index: Int) -> Int {
return multiplier * index
}
}
let threeTimesTable = TimesTable(multiplier: 3)
threeTimesTable[6] //18
26. ?? 的作用
??
是空合运算符。
比如a ?? b
,将对可选类型a进行为空判断,如果a包含一个值,就进行解封,否则就返回一个默认值b。
表达式 a 必须是 Optional 类型。默认值 b 的类型必须要和 a 存储值的类型保持一致
27. lazy 的作用
使用lazy关键字修饰struct 或class 的成员变量,达到懒加载的效果。一般有以下使用场景:
- 属性开始时,还不确定是什么活着还不确定是否被用到
- 属性需要复杂的计算,消耗大量的CPU
- 属性只需要初始化一次
28. 一个类型表示选项,可以同时表示有几个选项选中(类似 UIViewAnimationOptions ),用什么类型表示
使用选项集合:OptionSet
具体参见:Swift 中的选项集合
29. inout 的作用
可以让值类型以引用方式传递,比如有时需要通过一个函数改变函数外面变量的值,例如:
var value = 50
print(value) // 此时value值为50
func increment(inout value: Int, length: Int = 10) {
value += length
}
increment(&value)
print(value) // 此时value值为60,成功改变了函数外部变量value的值
30. Error 如果要兼容 NSError 需要做什么操作
想让我们的自定义Error可以转成NSError,实现CustomNSError就可以完整的as成NSError
/// Describes an error type that specifically provides a domain, code,
/// and user-info dictionary.
public protocol CustomNSError : Error {
/// The domain of the error.
public static var errorDomain: String { get }
/// The error code within the given domain.
public var errorCode: Int { get }
/// The user-info dictionary.
public var errorUserInfo: [String : Any] { get }
}
话说这也是从卓同学的文章摘取来的😂: Swift 3必看:Error与NSError的关系
31. 下面的代码都用了哪些语法糖
[1, 2, 3].map{ $0 * 2 }
- 尾随闭包(Trailing Closures), 如果函数的最后一个参数是闭包,则可以省略
()
- 如果该闭包只有一行,则可以省略
return
- 类型推断,返回值被推断为
Int
-
$0
代表集合的元素
32. 什么是高阶函数
- 接受一个或多个函数作为参数
- 把一个函数当作返回值
- 例如Swift中的
map
flatMap
filter
reduce
33. 如何解决循环引用
可以使用 weak
和 unowned
“Use a weak reference whenever it is valid for that reference to become nil at some point during its lifetime. Conversely, use an unowned reference when you know that the reference will never be nil once it has been set during initialization.”
在引用对象的生命周期内,如果它可能为nil,那么就用weak引用。反之,当你知道引用对象在初始化后永远都不会为nil就用unowned
34. 下面的代码会不会崩溃,说出原因
var mutableArray = [1,2,3]
for _ in mutableArray {
mutableArray.removeLast()
}
不会崩溃。迭代器?不知道咋解释。等搞明白再来填上。。。如有知道的,请指教。
35. 给集合中元素是字符串的类型增加一个扩展方法,应该怎么声明
extension Sequence where Iterator.Element == Int {
//your code
}
protocol SomeProtocol {}
extension Collection where Iterator.Element: SomeProtocol {
//your code
}
36. 定义静态方法时关键字 static 和 class 有什么区别
-
static
和class
都是用来指定类方法 -
class
关键字指定的类方法** 可以被override
** -
static
关键字指定的类方法** 不能被override
**
网友评论