iOS搜索视图小技巧

小浣熊博客地址

  1. 移除搜索视图时清空搜索框内的文字内容: self.searchBar.text = nil;
  2. 将历史搜索或热门搜索的标签内容显示到输入框:
    1>. 情形分析: 搜索视图在 A 控制器上,要实现点击搜索视图上的搜索标签, push跳转到 B 控制器,并且将标签内容传入到 B 控制器所在的 UINavigationBar的搜索框中显示.
    2>. 思路: 点击搜索标签,利用通知,让A控制器push到B控制器,同时利用collectionViewCell的索引将标签内容通过用户偏好设置存储到本地,然后在B控制器的 - (void)viewDidLoad;方法中通过Key把标签的内容设置到搜索框,最后在 - (void)viewDidDisappear:(BOOL)animated;中通过Key清除指定的用户偏好内容.
    3>. 具体代码如下:
// 这段代码写在搜索视图中
- (void)collectionView:(UICollectionView *)collectionView didSelectItemAtIndexPath:(NSIndexPath *)indexPath {
    NSLog(@"===> %@",self.array[indexPath.row]);   // 需要将搜索关键字传入搜索框
    // 本地存储传值
    NSUserDefaults *defaults = [NSUserDefaults standardUserDefaults];
    [defaults setObject:_data[indexPath.row] forKey:@"_data[indexPath.row]"];
    //设置同步
    [defaults synchronize];
    // 通知控制器 A 去push跳转到 B
    NSDictionary *dict = [[NSDictionary alloc]initWithObjectsAndKeys: self.array[indexPath.row],@"self.array[indexPath.row]", nil];
    [[NSNotificationCenter defaultCenter] postNotificationName:通知名 object: self.array[indexPath.row] userInfo: dict];
}
这段代码写在 A 控制器:
- (void)viewDidLoad {
    [super viewDidLoad];
    [self loadData];
    self.view.backgroundColor = [UIColor whiteColor];
    //注册通知
    [[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(sendTextInfomation:) name:LMSearchTextInfomationNotification object:nil];
}
//销毁通知:
- (void)dealloc {
    [[NSNotificationCenter defaultCenter] removeObserver:self name:nil object:self];
}
这段代码写在通知触发的方法中:
// 点击标签的时候通知nav push到搜索结果控制器
- (void)sendTextInfomation:(NSNotification *)text {
    NSLog(@"通知传递过来 == %@", text.userInfo[@"self.array[indexPath.row]"]);
    self.text = text.userInfo[@"self.array[indexPath.row]"];
    NSLog(@"通知内容 == %@", self.text);
    // 点击键盘上的search调用这个方法
    [_searchView removeFromSuperview];    //移除搜索视图
    [_sv removeFromSuperview];    // 搜索视图放在UIScrollView上的(看具体情况),因此同时需要移除A控制器的子视图scrollView.

    // 移除视图同时要收起键盘,然后发出通知让控制器push一个新控制器
    [[[UIApplication sharedApplication] keyWindow] endEditing:YES];
    B *vc = [[B alloc]init];
    vc.hidesBottomBarWhenPushed = YES;
    [self.navigationController pushViewController:vc animated:YES];
}
这段代码写在 B 控制器中:
- (void)viewDidLoad {
    [super viewDidLoad];
    self.view.backgroundColor = [UIColor whiteColor];
    //本地存储传递过来的值
    NSUserDefaults *defaults = [NSUserDefaults standardUserDefaults];
    // 取指定的本地值
    self.text = [defaults valueForKey:@"self.array[indexPath.row]"];
    NSLog(@"本地存储传值内容 == %@", self.text);
    // 显示到搜索框
    _searchBarView.text = self.text;
}
- (void)viewDidDisappear:(BOOL)animated {
    // 清除指定的用户偏好存储
    [[NSUserDefaults standardUserDefaults] removeObjectForKey:@"_data[indexPath.row]"];
}

你可能感兴趣的:(iOS搜索视图小技巧)