我是Material Design的新手。当我在寻找展示小吃店时,我发现有两种不同的方式:
new View.OnClickListener() {
@Override
public void onClick(View view) {
Snackbar.make(mCoordinatorLayout,...
}}
new View.OnClickListener() {
@Override
public void onClick(View view) {
Snackbar.make(view,...
}}
两者都完美无缺。我不明白为什么?我认为view指的是Button对象而mCoordinatorLayout指的是CoordinatorLayout对象。它们是不同的对象,但两者中的任何一个都可以作为Snackbar.make()方法的第一个参数。为什么呢?
完整源代码如下:
主要布局:
<?xml version="1.0" encoding="utf-8"?>
<android.support.design.widget.CoordinatorLayout ... >
<Button
android:id="@+id/showSnackbarButton"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_gravity="center"
android:text="@string/show_snackbar"/>
</android.support.design.widget.CoordinatorLayout>
主要活动:
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
mCoordinatorLayout = (CoordinatorLayout) findViewById(R.id.coordinatorLayout);
mShowSnackbarButton = (Button) findViewById(R.id.showSnackbarButton);
mShowSnackbarButton.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View view) {
Snackbar.make(mCoordinatorLayout,
"This is a simple Snackbar", Snackbar.LENGTH_LONG)
.setAction("CLOSE", new View.OnClickListener() {
@Override
public void onClick(View v) {
// Custom action
Toast.makeText(MainActivity.this,"this is a toast message", Toast.LENGTH_SHORT).show();
}
}).show();
}
});
}
答案 0 :(得分:1)
实际上非常简单。
如果你看一下Snackbar
的源代码,那么当你Snackbar
调用一个名为findSuitableParent
的私有方法时会看到获取View
(您给出的视图)并继续循环浏览视图层次结构,直到找到CoordinatorLayout
或contentView
,这是保存屏幕中所有内容的视图
从{。<}获取findSuitableParent(View view)的位置。
我在为项目编写代码时发现了这一点,我必须将Snackbar
从底部移动到屏幕顶部; - )
希望这有帮助。
答案 1 :(得分:0)
如果直接传递CoordinatorLayout,它将避免&#34;上升&#34;在层次结构中查找CoordinatorLayout。所以你可以节省一些计算。
如果您使用View,它会尝试在窗口装饰的内容视图中找到CoordinatorLayout或fallback。
这是Snackbar中的方法,用于查找合适的父母&#34;:
private static ViewGroup findSuitableParent(View view) {
ViewGroup fallback = null;
do {
if (view instanceof CoordinatorLayout) {
// We've found a CoordinatorLayout, use it
return (ViewGroup) view;
} else if (view instanceof FrameLayout) {
if (view.getId() == android.R.id.content) {
// If we've hit the decor content view, then we didn't find a CoL in the
// hierarchy, so use it.
return (ViewGroup) view;
} else {
// It's not the content view but we'll use it as our fallback
fallback = (ViewGroup) view;
}
}
if (view != null) {
// Else, we will loop and crawl up the view hierarchy and try to find a parent
final ViewParent parent = view.getParent();
view = parent instanceof View ? (View) parent : null;
}
} while (view != null);
// If we reach here then we didn't find a CoL or a suitable content view so we'll fallback
return fallback;
}