随着swift越来越被开发者使用,swift也越来越受欢迎。在实际开发中,难免会用到oc和swift一起混编开发的情况,特别是使用以前的一些oc的库。那么oc和swift要怎么相互的调用呢?(以下的例子是在swift项目中说明的)
swift调用oc
在swift项目中新建一个oc的类,写了一堆oc的代码,在swift文件中怎么去使用它呢?
1、当我们在swift项目中新建一个oc类的时候,xcode会提示我们要不要同时创建桥接文件,我们点创建,xcode会帮我们自动创建一个桥接文件,文件名格式默认为:{targetName}-Bridging-Header.h。targetName为当前项目的target的名称。
当然不用xcode自动创建我们也可以自己手动去创建这个文件,并指定路径就好
2、在桥接文件中#importOC需要暴露给Swift的内容,这样在swift文件中就可以访问了。
完整代码如下:
// BKPerson.h 文件
@interface BKPerson : NSObject
@property (nonatomic,copy)NSString* name;
@property (nonatomic,assign)NSInteger age;
- (instancetype)initWithName:(NSString *)name age:(NSInteger)age;
+ (instancetype)personWithName:(NSString *)name age:(NSInteger)age;
- (void)run;
+ (void)run;
-(void)eat:(NSString*)food otherFood:(NSString*)other;
@end
//BKPerson.m 文件
#import "BKPerson.h"
@implementation BKPerson
- (instancetype)initWithName:(NSString *)name age:(NSInteger)age{
self = [super init];
if (self) {
self.age = age;
self.name = name;
}
return self;
}
+ (instancetype)personWithName:(NSString *)name age:(NSInteger)age{
return [[self alloc]initWithName:name age:age];
}
- (void)run{
NSLog(@"%@ run",self.name);
}
+ (void)run{
NSLog(@"preson run");
}
-(void)eat:(NSString*)food otherFood:(NSString*)other{
NSLog(@"%@ eat food:%@",self.name,food);
}
@end
// mian.swift文件
/*
在这里就可以去调用OC的BKPerson这个类的内容了,包括属性、方法等
*/
var p: BKPerson = BKPerson(name: "Beckhams", age: 18)
p.run()
p.eat("cat", otherFood: "dog")
BKPerson.run()
oc调用swift
在oc的类中,要怎么使用swift的代码呢?
1、在swift的代码要能被oc调用,其定义的类要继承自NSObject,函数要用@objc定义。或者在类的开头用@objcMembers修饰,这样类的所有属性和方法都能被oc访问。如下图:
2、xcode已经默认生成一个用于OC调用Swift的头文件,文件名格式是:{targetName}-Swift.h,targetName为当前项目的target的名称。
3、在oc的代码中导入这个文件,在相应的方法中调用swift的代码。
4、为啥oc能访问swift的类呢,swift中定义的类继承自NSObject到底有啥用?其奥秘在于xcode自动生产的{targetName}-Swift.h中。在该文件中会自动为我们定义的swift类去生产对应的oc的类。入下图:
为啥被oc访问的swift的类要继承自NSObject?因为在oc中的类是依赖runtime机制的,而runtime机制需要isa指针,只有继承NSObject才能获得isa指针。
完整代码如下:
// 在swift文件中定义一个BKTeacher的类
@objcMembers class BKTeacher: NSObject {
var name: String = "Lucy"
var age: Int = 30
init(name: String, age: Int){
self.name = name
self.age = age
super.init()
}
func run() {
print("\(self.name)--run")
}
func eat(food: String) {
print("\(self.name)--eatFood:\(food)")
}
}
// 在oc文件中导入test-Swift.h,然后在oc的方法里去调用swift类
#import "BKPerson.h"
#import "test-Swift.h"
-(void)testSwift {
//NSLog(@"testSwift");
BKTeacher* t = [[BKTeacher alloc]initWithName:@"lili" age:31];
NSLog(@"%@老师今年%ld岁了",t.name,t.age);
[t run];
[t eatWithFood:@"蛋糕"];
}