我正在尝试将一个Objective-C类(即TSAlertView)重用到Swift项目中。问题是该类使用具有可变参数的初始化程序。我遵循了stackoverflow question建议的相同方法,如果我使用iPad Air,我的代码在iOS模拟器中工作,但如果我使用iPad Retina则不行。代码也在真正的iPad 3上崩溃。
我能够创建一个显示相同问题的玩具示例。
TestClass.h
#import <Foundation/Foundation.h>
@interface TestClass : NSObject
@property NSArray *titles;
- (id)initWithTitle:(NSString *)title otherButtonTitlesVA:(va_list)args;
@end
TestClass.m
#import "TestClass.h"
@implementation TestClass
- (id)initWithTitle:(NSString *)title otherButtonTitlesVA:(va_list)args {
NSMutableArray *titles = [NSMutableArray array];
if ((self = [super init])) {
[titles addObject:title];
id arg;
if ((arg = va_arg(args, id)) && [arg isKindOfClass:[NSString class]]) { // this causes an EXC_BAD_ACCESS on iPad Retina
[titles addObject:(NSString*)arg];
while ( nil != ( arg = va_arg( args, id ) ) )
{
if ( ![arg isKindOfClass: [NSString class] ] )
return nil;
[titles addObject:(NSString*)arg];
}
}
}
self.titles = [NSArray arrayWithArray:titles];
return self;
}
@end
识别TestClass + Swift.swift
import Foundation
extension TestClass {
convenience init(title:String?, otherButtonTitles:CVarArgType...)
{
self.init(title: title, otherButtonTitlesVA:getVaList(otherButtonTitles))
}
}
ViewController.swift
import UIKit
class ViewController: UIViewController {
override func viewDidLoad() {
super.viewDidLoad()
// Do any additional setup after loading the view, typically from a nib.
let testObject1 = TestClass(title: "First", otherButtonTitles: "Second", "Third")
let testObject2 = TestClass(title: "First") // this causes the initializer to crash on iPad Retina
NSLog("%@", testObject1.titles)
NSLog("%@", testObject2.titles)
}
}
尝试使用testObject2
创建EXC_BAD_ACCESS
时,代码崩溃了。我的代码有什么问题吗?为什么iPad Air显示出与iPad Retina不同的行为?
编辑:好的,我认为问题是Objective-C代码需要nil
终止列表。如何从Swift传递nil
已终止va_list
?
答案 0 :(得分:3)
如您所知,Objective-C代码需要nil
终止名单。没有它,
if ((arg = va_arg(args, id)) && [arg isKindOfClass:[NSString class]]) { ... }
如果实际传递的参数列表已用完,则未定义。
nil
是Objective-C中的NULL指针,您可以将其附加到您的便利初始化程序中:
extension TestClass {
convenience init(title:String?, otherButtonTitles : CVarArgType...)
{
let nullPtr = UnsafePointer<Void>()
let otherTitles : [CVarArgType] = otherButtonTitles + [nullPtr]
self.init(title: title, otherButtonTitlesVA: getVaList(otherTitles))
}
}
这似乎在32位和64位平台上都能正常工作。
Swift 3的更新:
extension TestClass {
convenience init(title:String?, otherButtonTitles : CVarArg...)
{
let otherTitles : [CVarArg] = otherButtonTitles + [Int(0)]
self.init(title: title, otherButtonTitlesVA: getVaList(otherTitles))
}
}
如https://bugs.swift.org/browse/SR-5046中所述,使用Int
大小的零是建议的方法来传递空指针
变量参数列表。