我需要使用swift
在iOS中创建代理模式我已经尝试使用Objective C,这是代码
MyProtocol.h
#import <Foundation/Foundation.h>
@protocol MyProtocol <NSObject>
@required
-(void)testMessage;
@end
TestBO.h
#import <Foundation/Foundation.h>
#import "MyProtocol.h"
@interface TestBO : NSObject <MyProtocol>
@end
TestBO.m
#import "TestBO.h"
@implementation TestBO
-(void)testMessage{
NSLog(@"Test Message");
}
@end
TestProxyHandler.h
#import <Foundation/Foundation.h>
@interface TestProxyHandler : NSProxy
@property (nonatomic, strong) id object;
- (instancetype)initWithProtocol:(Protocol *)protocol andObject:(Class)clazz;
- (void)forwardInvocation:(NSInvocation *)invocation;
- (NSMethodSignature *)methodSignatureForSelector:(SEL)selector;
@end
TestProxyHandler.m
#import "TestProxyHandler.h"
#import "TestBO.h"
@implementation TestProxyHandler
- (instancetype)initWithProtocol:(Protocol *)protocol andObject:(Class)clazz{
if ([clazz conformsToProtocol:@protocol(MyProtocol)]) {
self.object = [[clazz alloc] init];
}else{
NSLog(@"Error it does not conform to protocol");
}
return self;
}
- (void)forwardInvocation:(NSInvocation *)invocation{
NSString *selString = NSStringFromSelector(invocation.selector);
NSLog(@"Called %@",selString);
[invocation invokeWithTarget:self.object];
}
- (NSMethodSignature *)methodSignatureForSelector:(SEL)selector {
return [self.object methodSignatureForSelector:selector];
}
@end
我使用
调用了它id <MyProtocol> delegate = (TestBO *)[[TestProxyHandler alloc] initWithProtocol:@protocol(MyProtocol) andObject:[TestBO class]];
[delegate testMessage];
但即使初始化器显示消息
,我也无法在Swift中工作TestHandler.swift
import Foundation
class TestHandler: NSProxy {
var object: AnyObject
convenience override init(`protocol`: Protocol, andObject clazz: AnyClass) {
if clazz.conformsToProtocol() {
self.object = clazz()
}
else {
NSLog("Error it does not conform to protocol")
}
}
}
有没有人有任何线索在swift中做到这一点?
修改
在java中,您可以使用 Proxy.newProxyInstance 调用创建方法的运行时实现,但这可以在iOS中实现吗?用swift?任何线索?
答案 0 :(得分:2)
与Objective C和Swift相比,Swift提供了对运行时语言访问的极其有限的访问。所以根据我的研究到现在为止还不能做到:(
我甚至尝试在swift中继承 NSProxy 类但只是无法调用 super.init 并且代码永远不会编译,但是在目标C中同样的事情是可行的
所以我最终采用了这种方法
我使用
创建了一个协议@objc protocol SomeProt {
// Some method
}
请注意关键字 @objc ,然后才能将协议传递给变量,同时添加 @objc 会将协议的使用限制为目标c运行时功能所以不要期望在swift
中获得协议的完整功能public func someMethod(`protocol` : Protocol, implementation : AnyClass) {
let isImplemented : Bool = implementation.conformsToProtocol(`protocol`)
// some code
}
如果您需要在某些词典中使用它,或者它应该符合 NSCopying 类的地方,那么请使用
NSStringFromProtocol
和
NSProtocolFromString
方法
现在我已经编写了一个目标c辅助类来进行初始化
<强> ObjcHelper.h 强>
#import <Foundation/Foundation.h>
@interface ObjcHelper : NSObject
+(NSObject *)objectForClass:(Class)clazz;
@end
<强> ObjcHelper.m 强>
#import "ObjcHelper.h"
@implementation ObjcHelper
+ (NSObject *)objectForClass:(Class)clazz{
return [[clazz alloc] init];
}
@end
现在使用它
let prot : SomeProt = ObjcHelper.objectForClass(NSClassFromString("PROT_HANDLER_CLASS_NAME")) as! SomeProt
但是将来如果有人能提供更好的答案,请务必在此发布