我的意思是我的问题(如果我说得含糊不清,因为我找不到我的问题的答案)是采取根布局,获得该布局的所有子节点,并对任何指定类型的实例执行回调。
现在,我可以用一种固定的方式来做,很容易,通过这样做…
RelativeLayout root = (RelativeLayout) findViewById(R.id.root_layout);
for(int i = 0; i <= root.getChildCount(); i++){
View v = root.getChildAt(i);
if(v instanceof CustomLayout){
// Do Callback on view.
}
}
问题是,我想让它更通用。我应该能够使用任何布局,并检查,看看它是否是任何布局的实例。特别是,我希望它足够通用,可以与任何东西一起使用(如果可能的话)。当然,我不介意仅仅满足于布局。
我想建立一个这些子元素的集合,如果可能的话,返回相同类型的子元素。我很长一段时间没有使用Java了,所以我很生疏,但是我正在考虑使用反射来完成这个任务。这有可能吗?
如果我传递我想要的类型的类,是否可能?
编辑:我之前没有看到dtann的答案,一定是错过了,但我自己做了,看起来很像他的。我的实现是这样的
public static abstract class CallbackOnRootChildren<T> {
@SuppressWarnings("unchecked")
public void callOnChildren(Class<T> clazz, ViewGroup root) {
for(int i = 0; i < root.getChildCount(); i++){
View v = root.getChildAt(i);
if(v instanceof ViewGroup){
callOnChildren(clazz, (ViewGroup) v);
}
if(clazz.isAssignableFrom(v.getClass())){
// The check to see if it is assignable ensures it's type safe.
onChild((T) v);
}
}
}
public abstract void onChild(T child);
}
区别在于我的依赖于回调之类的,但总体上是相同的概念。
尝试以下代码:
public <T> List<T> getViewsByClass(View rootView, Class<T> targetClass) {
List<T> items = new ArrayList<>();
getViewsByClassRecursive(items,rootView,targetClass);
return items;
}
private void getViewsByClassRecursive(List items, View view, Class clazz) {
if (view.getClass().equals(clazz)) {
Log.d("TAG","Found " + view.getClass().getSimpleName());
items.add(view);
}
if (view instanceof ViewGroup) {
ViewGroup viewGroup = (ViewGroup)view;
if (viewGroup.getChildCount() > 0) {
for (int i = 0; i < viewGroup.getChildCount(); i++) {
getViewsByClassRecursive(items, viewGroup.getChildAt(i), clazz);
}
}
}
}
调用getViewsByClass
并传入根布局和目标类。您应该收到作为目标类实例的所有视图的列表。这将包括根布局本身,如果它也是目标类的一个实例。此方法将搜索根布局的整个视图树。
没有通用的方法。如果有人这么做了,他也会这么做。
viewgroup中的视图保存在如下字段中(源代码):
// Child views of this ViewGroup
private View[] mChildren;
// Number of valid children in the mChildren array, the rest should be null or not
// considered as children
private int mChildrenCount;
看到文档