如何使用 RxSwift 将 UISearchBar 绑定到 UITableView

How to bind UISearchBar to UITableView with RxSwift

我有一个数字数组,我希望 tableview 显示我在搜索栏中输入的数字。这是我的代码,我不知道我应该在 .subscribe

之后的行中写什么(而不是)
let dataSource = BehaviorRelay(value: [String]())
let disposeBag = DisposeBag()
var numbers = ["1", "2", "3", "4", "5"]

override func viewDidLoad() {
    super.viewDidLoad()
    
    dataSource.accept(numbers)
    
    searchBar.rx.text.orEmpty
        .throttle(.milliseconds(2000), scheduler: MainScheduler.instance)
        .filter{self.numbers.contains([=10=])}
        .subscribe(onNext: 
            
        })
    self.dataSource
        .asObservable()
        .bind(to: tableView.rx.items(cellIdentifier: "Cell", cellType: TableViewCell.self)) {(row, element, cell) in
            cell.textLabel?.text = element
        }
        .disposed(by: disposeBag)

可能是其他原因导致不行,总之谢谢大家的帮助

更新:

您想将响应式代码视为因果链。一些副作用的发生会导致其他一些副作用。当然在因果之间你有业务逻辑。

首先请注意,不需要主题。在书中 Intro To Rx 我们了解到:

Subjects provide a convenient way to poke around Rx, however they are not recommended for day to day use.

既然我们在思考“因果关系”……我们想要达到的效果是什么?那将是 table 视图的输出,其中:

  • 每当用户点击添加按钮时添加一个数字,
  • 每当用户点击删除按钮时删除最后一个数字,
  • 并在用户在文本中输入数字时过滤列表 领域...

这是三个原因以及定义原因如何影响结果的逻辑。

final class Example: UIViewController {
    var searchBar: UISearchBar!
    var addButton: UIButton!
    var deleteButton: UIButton!
    var tableView: UITableView!
    let disposeBag = DisposeBag()

    override func viewDidLoad() {
        super.viewDidLoad()

        enum Input {
            case add
            case delete
        }

        let initial = ["1", "2", "3", "4", "5"] // this is what we start with
        Observable.merge(
            addButton.rx.tap.map { Input.add }, // flag addButton taps for adding a number
            deleteButton.rx.tap.map { Input.delete } // flag deleteButton taps for deleting a number
        )
        .scan(into: initial) { state, input in // setup a state machine that:
            switch input {
            case .add:
                state.append("\(state.count + 1)") // adds a number when the add event happens
            case .delete:
                state.removeLast() // removes the last number when a delete event happens
            }
        }
        .withLatestFrom(searchBar.rx.text) { list, text in
            list.filter { [=10=] == text } // here we filter the list based on the value in the search bar
        }
        .startWith(initial) // show the initial values at start
        .bind(to: tableView.rx.items(cellIdentifier: "Cell", cellType: UITableViewCell.self)) { _, element, cell in
            cell.textLabel?.text = element
        }
        .disposed(by: disposeBag)
    }
}

您可能希望使过滤器比我上面的过滤器更复杂或更简单。要进行上述测试table,只需将闭包移出到单独的函数中,以便它们可以独立测试。