我正在尝试在我的应用中创建一个露营地搜索功能。我希望用户能够键入搜索栏并显示所显示的露营地列表以匹配他们正在键入的内容。现在,用户点击按钮以显示SearchCampgroundsViewController.swift。这是我到目前为止在该文件中的代码:
import UIKit
class SearchCampgroundsViewController: UIViewController, UISearchResultsUpdating {
let searchController = UISearchController(searchResultsController: nil)
@IBOutlet weak var tableView: UITableView!
var campgrounds: [Campground]? {
return DataProvider.sharedInstance.allCampground()
}
override func viewDidLoad() {
super.viewDidLoad()
searchController.searchResultsUpdater = self
searchController.hidesNavigationBarDuringPresentation = false
searchController.dimsBackgroundDuringPresentation = false
self.tableView.tableHeaderView = searchController.searchBar
}
func updateSearchResultsForSearchController(searchController: UISearchController) {
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
}
extension SearchCampgroundsViewController: UITableViewDataSource {
func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return self.campgrounds?.count ?? 0
}
func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
let cell = tableView.dequeueReusableCellWithIdentifier("campgroundCell")! as UITableViewCell
cell.textLabel?.text = campgrounds?[indexPath.row].facilityName ?? "NO NAME FOR THIS FACILITY"
return cell
}
}
露营地列表在表格视图中正确显示(列表大约有4000个项目),搜索栏正确显示在表格的顶部。我可以输入搜索栏,但结果不是过滤。我如何实现过滤?需要进入updateSearchResultsForSearchController函数的是什么?
答案 0 :(得分:0)
您需要使用在搜索栏(campgrounds
)中输入的文本过滤数据源(searchController.searchBar.text
),然后使用过滤后的数据重新加载表格视图。
如果要将数据源保留为计算属性,则需要定义一个新变量来保存已过滤的露营地阵列(参见下文)。然后,您必须引入检查以确定要使用哪个数据源,具体取决于搜索控制器是否处于活动状态。
或者,您可以使用单个数据源,根据需要返回已过滤或未过滤的露营地数组。
请注意,您需要import Foundation
才能使用rangeOfString()
。
尝试以下几行:
import Foundation
/* ... */
var filtered: [Campground]?
func updateSearchResultsForSearchController(searchController: UISearchController) {
filtered = campgrounds?.filter {
// True if facilityName contains search bar text (case-sensitive).
$0.facilityName.rangeOfString(searchController.searchBar.text!) != nil
}
tableView.reloadData()
}
/* ... */
extension SearchCampgroundsViewController: UITableViewDataSource
{
func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
if searchController.active && !searchController.searchBar.text.isEmpty {
return filtered?.count ?? 0
}
return campgrounds?.count ?? 0
}
func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
let cell = tableView.dequeueReusableCellWithIdentifier("campgroundCell")! as UITableViewCell
if searchController.active && searchController.searchBar.text != "" {
cell.textLabel?.text = filtered?[indexPath.row].facilityName ?? "NO NAME FOR THIS FACILITY"
} else {
cell.textLabel?.text = campgrounds?[indexPath.row].facilityName ?? "NO NAME FOR THIS FACILITY"
}
return cell
}
}