我正在尝试将代码目标c转换为swift。我转换了很多,但我在代码init部分有问题。
如何修复3错误。它很容易修复它们删除if语句。但对于这个问题,我找不到真正的解决方案。 删除if语句可能会导致问题吗?
我的代码:
My objective c code:
-(id)init
{
self = [super init];
if (self) // In swift I can delete this statement to solve my problem. Is it causing the problem?
{
[self commonInit];
}
return self;
}
-(id)initWithStyle:(UITableViewCellStyle)style reuseIdentifier:(NSString *)reuseIdentifier
{
self = [super initWithStyle:style reuseIdentifier:reuseIdentifier];
if (self) //Also I can delete this if to solve the error but I am not sure is it the best way
{
[self commonInit];
}
return self;
}
-(void)commonInit
{
self.backgroundColor = [UIColor clearColor];
self.contentView.backgroundColor = [UIColor clearColor];
self.selectionStyle = UITableViewCellSelectionStyleNone;
self.accessoryType = UITableViewCellAccessoryNone;
_textView = [[UITextView alloc] init];
_timeLabel = [[UILabel alloc] init];
_statusIcon = [[UIImageView alloc] init];
[self.contentView addSubview:_timeLabel];
[self.contentView addSubview:_statusIcon];
}
我的快捷代码:
init() {
super.init() //Gives Error: Must call a designated initializer of the superclass 'UITableViewCell'
if self != nil { //Value of type 'MessageCell' can never be nil, comparison isn't allowed
self.commonInit()
}
}
//Added this init because Xcode gives error if not add
required init?(coder aDecoder: NSCoder) {
super.init(coder: aDecoder)
fatalError("init(coder:) has not been implemented")
}
override init(style: UITableViewCellStyle, reuseIdentifier: String?){
super.init(style: style, reuseIdentifier: reuseIdentifier)
if self != nil { //Error: Value of type 'MessageCell' can never be nil, comparison isn't allowed
self.commonInit()
}
}
func commonInit() {
//set values
self.backgroundColor = UIColor.clearColor()
self.contentView.backgroundColor = UIColor.clearColor()
self.selectionStyle = .None
self.accessoryType = .None
self.timeLabel = UILabel()
self.statusIcon = UIImageView()
self.contentView.addSubview(timeLabel)
self.contentView.addSubview(statusIcon)
}
答案 0 :(得分:2)
如果你进入UITableViewCell的来源,你会看到:
public init(style: UITableViewCellStyle, reuseIdentifier: String?)
public init?(coder aDecoder: NSCoder)
没有init()
,这就是为什么你得到必须调用指定的初始化程序错误的原因;你试图调用NSObject
的init方法
在第一遍,你可以这样写:
init() {
super.init(style: UITableViewCellStyle.Default, reuseIdentifier: "example reuse id")
self.commonInit()
}
override init(style: UITableViewCellStyle, reuseIdentifier: String?){
super.init(style: style, reuseIdentifier: reuseIdentifier)
self.commonInit()
}
请注意,无需在第二个初始化程序中检查self是否为nil,因为它不可用 - 这意味着您将始终拥有一个有效且完全初始化的对象。
但是,看到现在有相当多的重复,如果你仍然想要一个默认的init()
,你可以一起摆脱commonInit:
convenience init() {
self.init(style: UITableViewCellStyle.Default, reuseIdentifier: "example reuse id")
}
override init(style: UITableViewCellStyle, reuseIdentifier: String?){
super.init(style: style, reuseIdentifier: reuseIdentifier)
//you can initialize your object here, or call your commonInit
}
请注意,如果您不需要默认值,您也可以摆脱第一个convenience init()
:)