答案 0 :(得分:2)
您想要的行为存在于CollapsingTextHelper
类中。不幸的是,这个类是包私有的final
,因此没有官方支持的方法来调用你想要的方法。以下是您希望能够写的内容:
private void setCollapsedHintMiddle(TextInputLayout layout) {
CollapsingTextHelper helper = layout.getCollapsingTextHelper();
helper.setCollapsedTextGravity(Gravity.TOP | Gravity.CENTER_HORIZONTAL);
}
由于你无法这样做,你可以使用反射来破解它:
private void setCollapsedHintMiddle(TextInputLayout layout) {
try {
Field helperField = TextInputLayout.class.getDeclaredField("mCollapsingTextHelper");
helperField.setAccessible(true);
Object helper = helperField.get(layout);
Method setterMethod = helper.getClass().getDeclaredMethod("setCollapsedTextGravity", int.class);
setterMethod.setAccessible(true);
setterMethod.invoke(helper, Gravity.TOP | Gravity.CENTER_HORIZONTAL);
}
catch (NoSuchFieldException e) {
// TODO
}
catch (IllegalAccessException e) {
// TODO
}
catch (NoSuchMethodException e) {
// TODO
}
catch (InvocationTargetException e) {
// TODO
}
}
请注意,这取决于TextInputLayout
和CollapsingTextHelper
的内部实施细节,并且可能随时中断。
正如我在对原始问题的评论中提到的那样,有一种官方支持的方式来做一些不太合适的事情。如果您声明TextInputLayout
这样:
<android.support.design.widget.TextInputLayout
android:id="@+id/email"
android:layout_width="match_parent"
android:layout_height="wrap_content">
<android.support.design.widget.TextInputEditText
android:id="@+id/emailChild"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:gravity="center_horizontal"
android:hint="Email"/>
</android.support.design.widget.TextInputLayout>
然后在Java中更新TextInputEditText
的引力:
EditText emailChild = (EditText) findViewById(R.id.emailChild);
emailChild.setGravity(Gravity.START);
产生的行为将是提示水平居中显示(当视图具有焦点/文本时不显示),而用户输入的文字显示在左侧。