发布于 2015-06-14 01:59:48 | 62 次阅读 | 评论: 0 | 来源: 网络整理
协议
能够要求其遵循者
必备某些特定的实例方法
和类方法
。协议方法的声明与普通方法声明相似,但它不需要方法
内容。
注意: 协议方法支持变长参数(variadic parameter)
,不支持默认参数(default parameter)
。
前置class
关键字表示协议中的成员为类成员
;当协议用于被枚举
或结构体
遵循时,则使用static
关键字。如下所示:
protocol SomeProtocol {
class func someTypeMethod()
}
protocol RandomNumberGenerator {
func random() -> Double
}
RandomNumberGenerator
协议要求其遵循者
必须拥有一个名为random
, 返回值类型为Double
的实例方法。(我们假设随机数在[0,1]区间内)。
LinearCongruentialGenerator
类遵循
了RandomNumberGenerator
协议,并提供了一个叫做线性同余生成器(linear congruential generator)的伪随机数算法。
class LinearCongruentialGenerator: RandomNumberGenerator {
var lastRandom = 42.0
let m = 139968.0
let a = 3877.0
let c = 29573.0
func random() -> Double {
lastRandom = ((lastRandom * a + c) % m)
return lastRandom / m
}
}
let generator = LinearCongruentialGenerator()
println("Here's a random number: (generator.random())")
// 输出 : "Here's a random number: 0.37464991998171"
println("And another one: (generator.random())")
// 输出 : "And another one: 0.729023776863283"