我刚刚开始使用RxSwift并面临一些挑战。我创建了具有多个部分的tableview,并且能够点击并获取详细信息。但是,如果我尝试删除任何特定的单元格,它将无法正常工作。我不确定我在RxSwift中做错了什么。下面是我的代码。
override func viewDidLoad() {
super.viewDidLoad()
// Do any additional setup after loading the view, typically from a nib.
let dataSource = RxTableViewSectionedReloadDataSource<SectionModel<String, User>>(
configureCell: { (_, tv, indexPath, element) in
let cell = tv.dequeueReusableCell(withIdentifier: "Cell", for: indexPath)
cell.textLabel?.text = string
cell.textLabel?.numberOfLines = 0
return cell
},
titleForHeaderInSection: { dataSource, sectionIndex in
return dataSource[sectionIndex].model
}
)
dataSource.canEditRowAtIndexPath = { dataSource, indexPath in
return true
}
viewModel.getUsers()
.bind(to: tableView.rx.items(dataSource: dataSource))
.disposed(by: disposeBag)
tableView.rx
.itemSelected
.map { indexPath in
return (indexPath, dataSource[indexPath])
}
.subscribe(onNext: { pair in
print("Tapped \(pair.1) @ \(pair.0)")
})
.disposed(by: disposeBag)
tableView.rx.itemDeleted
.subscribe{
print($0)
}
.disposed(by: disposeBag)
tableView.rx
.setDelegate(self)
.disposed(by: disposeBag)
}
答案 0 :(得分:1)
tableView.rx.itemDeleted
触发一个包含indexPath
的事件,该事件已发生。数据更改应由您处理。您没有得到任何更新,因为您没有进行任何更改,只是打印了indexPath
。
由于您使用的是viewModel.getUsers()
,它会根据您的代码向您返回Observable<[SectionModel<String, User>]>
。您还应该在viewModel
上引入一种方法,该方法将用于删除特定indexPath
上的项目。
为了实现这一点,您需要将元素存储在BehaviorSubject
中。这将保留数据的当前值,并且在更新后会将新数据发送给预订的数据。
let sectionListSubject = BehaviorSubject(value: [SectionModel<String, User>]())
初始化viewModel
时,您需要使用以下数据填充此主题:
sectionListSubject.onNext([
SectionModel(model: "First section", items: [
User(),
User(),
User()
]),
SectionModel(model: "Second section", items: [
User(),
User(),
User()
])
])
然后,您的getUsers()
方法应类似于:
func getUsers() -> Observable<[SectionModel<String, User>]> {
return sectionListSubject.asObservable()
}
您的viewModel
的最后一步是实施removeItem(at:)
func removeItem(at indexPath: IndexPath) {
guard var sections = try? sectionListSubject.value() else { return }
// Get the current section from the indexPath
var currentSection = sections[indexPath.section]
// Remove the item from the section at the specified indexPath
currentSection.items.remove(at: indexPath.row)
// Update the section on section list
sections[indexPath.section] = currentSection
// Inform your subject with the new changes
sectionListSubject.onNext(sections)
}
现在在代码库中,您只需要更改:
tableView.rx.itemDeleted
.subscribe(onNext: { self.viewModel.removeItem(at: $0) })
.disposed(by: disposeBag)
现在应该可以删除。