我尝试在Fragment中使用建议(过滤器)实现SearchView,但我还没有管理它。我几乎尝试了每个教程,但没有任何方法适合我。我将不胜感激任何帮助。谢谢
XML ...
<!--appBar layout-->
<android.support.design.widget.AppBarLayout
android:id="@+id/appBarLayout"
android:fitsSystemWindows="true"
android:layout_width="match_parent"
android:layout_height="?attr/actionBarSize">
<!--searchView layout-->
<android.support.v7.widget.SearchView
android:id="@+id/search_view"
app:layout_scrollFlags="scroll|enterAlways"
android:iconifiedByDefault="false"
android:layout_width="match_parent"
android:layout_height="wrap_content"
app:closeIcon="@drawable/ic_clear_white_18dp"
app:searchIcon="@drawable/ic_search_white_24dp"
app:queryHint="@string/search_contact"
app:iconifiedByDefault="false"
android:background="@color/colorPrimary"
app:popupTheme="@style/ThemeOverlay.AppCompat.Light"
app:theme="@style/ThemeOverlay.AppCompat.Dark.ActionBar" />
</android.support.design.widget.AppBarLayout>
<!-- recycler view-->
<android.support.v7.widget.RecyclerView
app:layout_behavior="@string/appbar_scrolling_view_behavior"
android:id="@+id/recycler_view"
android:layout_width="match_parent"
android:layout_height="match_parent" />
片段
@Override
public View onCreateView(LayoutInflater inflater, final ViewGroup container, Bundle savedInstanceState) {
View view = inflater.inflate(R.layout.fragment_contact_list, container, false);
searchView = (SearchView)view.findViewById(R.id.search_view);
fabButton = (FloatingActionButton)view.findViewById(R.id.fab_button);
//recycler view
recyclerView = (RecyclerView)view.findViewById(R.id.recycler_view);
recyclerView.setLayoutManager(new LinearLayoutManager(getContext()));
contacts = SugarRecord.listAll(Contact.class);
contactsAdapter = new ContactsAdapter(getActivity(), contacts);
recyclerView.setAdapter(contactsAdapter);
searchView.setOnQueryTextListener(new SearchView.OnQueryTextListener() {
@Override
public boolean onQueryTextSubmit(String query) {
return false;
}
@Override
public boolean onQueryTextChange(String newText) {
// TODO: setFilter
return true;
}
});
return view;
适配器
public class ContactsAdapter extends RecyclerView.Adapter<ContactsAdapter.ContactVH> {
List<Contact> mContact;
List<Contact> mContactFilter;
Context mContext;
public ContactsAdapter(Context context, List<Contact> contact) {
this.mContact = contact;
this.mContext = context;
}
@Override
public ContactVH onCreateViewHolder(ViewGroup parent, int viewType) {
View view = LayoutInflater.from(parent.getContext()).inflate(R.layout.row_item_contact, parent, false);
ContactVH viewHolder = new ContactVH(view);
return viewHolder;
}
@Override
public void onBindViewHolder(ContactVH holder, int position) {
holder.name.setText(mContact.get(position).getName());
}
@Override
public int getItemCount() {
return mContact.size();
}
class ContactVH extends RecyclerView.ViewHolder {
@BindView(R.id.contact_name)
TextView name;
public ContactVH(View itemView) {
super(itemView);
ButterKnife.bind(this, itemView);
}
}
}
答案 0 :(得分:6)
您可以创建扩展过滤器
的类class YourFilterClass extends Filter {
private List<Contact> contactList;
private List<Contact> filteredContactList;
private ContactsAdapter adapter;
public YourFilterClass(List<Contact> contactList, ContactsAdapter adapter) {
this.adapter = adapter;
this.contactList = contactList;
this.filteredContactList = new ArrayList();
}
@Override
protected FilterResults performFiltering(CharSequence constraint) {
filteredContactList.clear();
final FilterResults results = new FilterResults();
//here you need to add proper items do filteredContactList
for (final Contact item : contactList) {
if (item.getName().toLowerCase().trim().contains("pattern")) {
filteredContactList.add(item);
}
}
results.values = filteredContactList;
results.count = filteredContactList.size();
return results;
}
@Override
protected void publishResults(CharSequence constraint, FilterResults results) {
adapter.setList(filteredContactList);
adapter.notifyDataSetChanged();
}
}
然后您可以将过滤器添加到您的 ContactsAdapter 。
public class ContactsAdapter extends RecyclerView.Adapter<ContactsAdapter.ContactVH> {
List<Contact> mContact;
List<Contact> mContactFilter;
YourFilterClass filter;
Context mContext;
public ContactsAdapter(Context context, List<Contact> contact) {
this.mContact = contact;
this.mContactFilter = contact;
this.mContext = context;
filter = new YourFilterClass(mContact, this);
}
@Override
public ContactVH onCreateViewHolder(ViewGroup parent, int viewType) {
View view = LayoutInflater.from(parent.getContext()).inflate(R.layout.row_item_contact, parent, false);
ContactVH viewHolder = new ContactVH(view);
return viewHolder;
}
@Override
public void onBindViewHolder(ContactVH holder, int position) {
holder.name.setText(mContactFilter.get(position).getName());
}
// set adapter filtered list
public void setList(List<Contact> list) {
this.mContactFilter = list;
}
//call when you want to filter
public void filterList(String text) {
filter.filter(text);
}
@Override
public int getItemCount() {
return mContactFilter.size();
}
class ContactVH extends RecyclerView.ViewHolder {
@BindView(R.id.contact_name)
TextView name;
public ContactVH(View itemView) {
super(itemView);
ButterKnife.bind(this, itemView);
}
}
}
答案 1 :(得分:0)
试试这个
private List<Category> categoryList;
private List<Category> mFilteredList;
public CategoryAdapter(List<Category> categoryList) {
this.categoryList = categoryList;
this.mFilteredList = categoryList;
}
@Override
public CategoryViewHolder onCreateViewHolder(ViewGroup parent, int viewType) {
View itemView = LayoutInflater.from(parent.getContext())
.inflate(R.layout.category_card, parent, false);
return new CategoryViewHolder(itemView);
}
@Override
public void onBindViewHolder(CategoryViewHolder holder, int position) {
Category category = mFilteredList.get(position);
holder.catname.setText(category.getCatName());
holder.items.setText(category.getCatItems()+" Items");
}
@Override
public int getItemCount() {
return mFilteredList.size();
}
@Override
public Filter getFilter() {
return new Filter() {
@Override
protected FilterResults performFiltering(CharSequence charSequence) {
String charString = charSequence.toString();
if (charString.isEmpty()) {
mFilteredList = categoryList;
} else {
List<Category> filteredList = new ArrayList<>();
for (Category category : categoryList) {
if (category.getCatName().toLowerCase().contains(charString) || String.valueOf(category.getId()).contains(charString)) {
filteredList.add(category);
}
}
mFilteredList = filteredList;
}
FilterResults filterResults = new FilterResults();
filterResults.values = mFilteredList;
return filterResults;
}
@Override
protected void publishResults(CharSequence charSequence, FilterResults filterResults) {
mFilteredList = (List<Category>) filterResults.values;
notifyDataSetChanged();
}
};
}
public class CategoryViewHolder extends RecyclerView.ViewHolder {
public TextView catname, items;
public ImageView imgView;
public CategoryViewHolder(View view) {
super(view);
catname = view.findViewById(R.id.categorycard_cate_name);
items = view.findViewById(R.id.categorycard_lbl_cat_items);
}
}
public void removeItem(int position) {
mFilteredList.remove(position);
// notify the item removed by position
// to perform recycler view delete animations
// NOTE: don't call notifyDataSetChanged()
notifyItemRemoved(position);
}
public void restoreItem(Category category, int position) {
mFilteredList.add(position, category);
// notify item added by position
notifyItemInserted(position);
}
实现可过滤适配器类
public class CategoryAdapter extends RecyclerView.Adapter实现了Filterable {
virtualenv venv
}
答案 2 :(得分:0)
在您的适配器类中实现可过滤并覆盖它的方法。
import time
from bs4 import BeautifulSoup
from urllib.parse import urljoin
from selenium import webdriver
from selenium.webdriver.chrome.options import Options
# ---
def get_links(driver, url):
driver.get(url)
time.sleep(5)
soup = BeautifulSoup(driver.page_source,"lxml")
links = []
for new_url in soup.find_all('a', href=True):
new_url = new_url.get('href')
new_url = urljoin(url, new_url)
links.append(new_url)
return links
# ---
options = Options()
options.add_argument('--incognito')
options.add_argument('--headless')
options.add_argument("--no-sandbox")
options.add_argument('--disable-dev-shm-usage')
options.add_argument("--profile-directory=Default")
driver = webdriver.Chrome("./chromedriver",options=options)
#driver = webdriver.Firefox()
# ---
domain = 'https://spaceflightnow.com/' # to filter external links
start_url = 'https://spaceflightnow.com/'
max_level = 2
links_visited = set([start_url]) # to test visited links
links_with_levels = [(start_url, 0)] # to control levels
# ---
for link, level in links_with_levels:
if level >= max_level:
print('skip:', level, link)
continue
print('visit:', level, link)
links = get_links(driver, link)
print('found:', len(links))
links = list(set(links) - links_visited)
print('after filtering:', len(links))
level += 1
for new_link in links:
if new_link.startswith(domain): # filter external links
links_visited.add(new_link)
links_with_levels.append( (new_link, level) )
# ---
for link, level in links_with_levels:
print('skip:', level, link)
在您的主要活动中创建searchview并收听onQueryTextChange。
@Override
public Filter getFilter() {
Filter filter = new Filter() {
@Override
protected FilterResults performFiltering(CharSequence charSequence) {
FilterResults filterResults = new FilterResults();
if(charSequence == null | charSequence.length() == 0){
filterResults.count = getUserModelListFiltered.size();
filterResults.values = getUserModelListFiltered;
}else{
String searchChr = charSequence.toString().toLowerCase();
List<UserModel> resultData = new ArrayList<>();
for(UserModel userModel: getUserModelListFiltered){
if(userModel.getUserName().toLowerCase().contains(searchChr)){
resultData.add(userModel);
}
}
filterResults.count = resultData.size();
filterResults.values = resultData;
}
return filterResults;
}
@Override
protected void publishResults(CharSequence charSequence, FilterResults filterResults) {
userModelList = (List<UserModel>) filterResults.values;
notifyDataSetChanged();
}
};
return filter;
}
完整的教程和源代码。 Recyclerview with search / filter
答案 3 :(得分:0)
SearchView addCustomerPageSearchView = findViewById(R.id.addCustomerPageSearchView);
addCustomerPageSearchView.setOnQueryTextListener(new SearchView.OnQueryTextListener() {
@Override
public boolean onQueryTextSubmit(String query) {
searchResult(query);
return true;
}
@Override
public boolean onQueryTextChange(String newText) {
searchResult(newText);
return true;
}
});
private void searchResult(String query)
{
String q = query.toLowerCase();
List<ModelContacts> updatedList = new ArrayList<>();
for (ModelContacts modelContacts : contactList)
{
if(modelContacts.getName().toLowerCase().contains(q))
{
updatedList.add(modelContacts);
}
}
adapter = new ContactAdapter(getApplicationContext(), updatedList);
contactListRecycler.setAdapter(adapter);
}