swift中使用protocol声明一个接口
swift中类、枚举和结构体都可以实现接口
swift中类中的方法都可以修改成员变量的值
swift中结构体中的方法默认是不能修改成员变量的,添加mutating关键字后就可以修改了
swift中使用extension来为现有的类型添加功能。你可以使用扩展来给任意类型添加协议,甚至是你从外部库或者框架中导入的类型
具体举例如下:
//声明一个ExampleProtocol协议,有一个成员变量和一个默认必须实现的方法
//声明一个协议 protocol ExampleProtocol{ //声明一个成员变量,并设置一个getter方法 var simpleDescription:String{get} mutating func adjust() }
//定义一个SimpleClass类继承ExampleProtocol协议
//定义一个类继承协议 class SimpleClass: ExampleProtocol { var simpleDescription:String = "A very simple class" func adjust() { simpleDescription += " adjust" } } var simpleclass = SimpleClass() //创建对象 simpleclass.adjust() //实现下一中的必须实现的方法 simpleclass.simpleDescription //用get方法获取属性值 "A very simple class adjust"
//定义一个SimpleStruct结构体继承ExampleProtocol协议
//定义一个结构体继承协议 struct SimpleStruct:ExampleProtocol { var simpleDescription:String = "A very simple struct" //必须用关键词mutating修饰,才能修改属性值 mutating func adjust() { simpleDescription += "struct" } } var simplestruct = SimpleStruct() //创建结构体成员变量 simplestruct.adjust() //实现下一中的必须实现的方法 simplestruct.simpleDescription //用get方法获取属性值 "A very simple structstruct
---------------------------------------------------------------------------------------------------------
//声明一个Myprotocol协议,有一个成员变量和一个默认必须实现的方法,还有一个可选的方法
//定义一个有可选方法的协议 @objc protocol MyProtocol{ //声明一个成员变量,并设置一个getter和setter方法 var contentDescription:String {get set} func method() //可选的方法 optional func adjust() }
//定义一个Boy类继承Myprotocol这个协议
class Boy:MyProtocol{ var contentDescription:String = "he is a boy" //实现可选的方法 func method() { contentDescription += ",good dood study" } //实现必须实现的方法 func adjust(){ contentDescription += ",okay" } } let boy = Boy() boy.contentDescription = "Tom" //set方法赋值 boy.method() //实现必须实现的方法 boy.adjust() //实现可选的方法 boy.contentDescription //get方法取值 "Tom ,good good study,okay"
---------------------------------------------------------------------------------------------------------
//定义一个扩展继承ExampleProtocol协议
//定义一个类扩展 extension Int:ExampleProtocol{ var simpleDescription:String{ return "The number \(self)" } mutating func adjust(){ self += 24 } } 7.simpleDescription // 7
时间: 2024-10-14 11:22:30