我正在使用swift开发ios app。我使用的是xcode7.0.1。使用TableViewController。当我点击行时我想展开,当我再次点击它时折叠。我正在关注gitHub的教程。现在我正面临错误Terminating app due to uncaught exception 'NSRangeException', reason: 'Cannot remove an observer
for the key path "frame" from <X.expandTips 0x145d8d20> because it is not registered as an observer.'
我希望以下代码行会导致问题。
我的UITableViewCell类代码:
func checkHeight(){
expandaple_view.hidden = (frame.size.height < expandTips.expandedHeight)
}
func WatchFrameChanges() {
addObserver(self , forKeyPath: "frame", options: .New, context: nil )
checkHeight()
}
func ignoreFrameChanges(){
removeObserver(self, forKeyPath: "frame")
}
override func observeValueForKeyPath(keyPath: String?, ofObject object: AnyObject?, change: [String : AnyObject]?, context: UnsafeMutablePointer<Void>) {
if keyPath == "frame"{
checkHeight()
}
}
在我的TableViewController代码中:
override func tableView(tableView: UITableView, willDisplayCell cell: UITableViewCell, forRowAtIndexPath indexPath: NSIndexPath) {
(cell as! expandTips) . WatchFrameChanges()
}
override func tableView(tableView: UITableView, didEndDisplayingCell cell: UITableViewCell, forRowAtIndexPath indexPath: NSIndexPath) {
(cell as! expandTips) . ignoreFrameChanges()
}
override func tableView(tableView: UITableView, heightForRowAtIndexPath indexPath: NSIndexPath) -> CGFloat {
if (indexPath == selectedIndexPath ){
return expandTips.expandedHeight
}else {
return expandTips.defaultHeight
}
}
我是ios的新手。我希望这一定是个简单的问题。请有人帮我解决这个问题。
我不知道在这里发布的细节需要什么。如果我想添加更多详细信息,请发表评论。
答案 0 :(得分:12)
从@Leandros的评论我找到了解决方案。只需使用布尔变量跟踪观察者。
使用以下代码,我找到了解决方案:
var frameAdded = false
func checkHeight(){
expanding_view.hidden = (frame.size.height < expandTips.expandedHeight)
}
func WatchFrameChanges() {
if(!frameAdded){
addObserver(self , forKeyPath: "frame", options: .New, context: nil )
frameAdded = true
}
}
func ignoreFrameChanges() {
if(frameAdded){
removeObserver(self, forKeyPath: "frame")
frameAdded = false
}
}
override func observeValueForKeyPath(keyPath: String?, ofObject object: AnyObject?, change: [String : AnyObject]?, context: UnsafeMutablePointer<Void>) {
if keyPath == "frame"{
checkHeight()
}
}
deinit {
print("deinit called");
ignoreFrameChanges()
}
答案 1 :(得分:6)
如果没有注册观察者,则删除KVO观察者会抛出异常。
不幸的是,无法检查观察者是否已注册。一个众所周知的解决方法是捕获这样的异常(Objective-C):
@try {
[object removeObserver:self forKeyPath:NSStringFromSelector(@selector(isFinished))];
} @catch (NSException * __unused exception) {}
要在Swift中执行此操作,您必须使用Swift 2.1,因为它缺少对 try {} catch {}
的支持。你可以在2.1 here中看到它是如何工作的。
更正:虽然Swift 2引入了自己的错误处理约定,并使用do/try/catch
个关键字,但这些并不意味着它们与Objective-C中的相同,并且仍然存在(从Swift 2.1和Xcode 7.1开始,除了将Objective-C代码写入@catch
之外,Swift无法处理从系统库抛出的NSExceptions,然后从Swift调用该代码。
您可以阅读更多关于KVO的信息here,其中还有一个关于安全取消订阅的部分,其中提到了这种不幸的设计。