前言
有时候我们需要在代码中动态调整TextView的外边距,很多人可能都会知道调用TextView从父类继承下来的getLayoutParams(),但是可能不清楚要怎么处理才能做到改变外边距margin。首先可以肯定的是,直接使用ViewGroup.LayoutParams是不可行的。
正确做法
需要进行强制类型转换——TextView的父布局是什么,就转成什么的LayoutParams,胡乱转换可能会发生ClassCastException异常,从而导致程序闪退。
正确示例
xml布局activity_main.xml
<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:tools="http://schemas.android.com/tools"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:gravity="center"
tools:context=".MainActivity">
<!--TextView的父布局是RelativeLayout,父布局的背景色为黑色-->
<RelativeLayout
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:background="#000">
<!--TextView的背景色为白色,为了进行对比,看出外边距-->
<TextView
android:id="@+id/tv"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:background="#fff"
android:text="动态设置TextView的外边距margin"/>
</RelativeLayout>
</LinearLayout>
MainActivity.java
public class MainActivity extends AppCompatActivity {
private TextView tv;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
tv=findViewById(R.id.tv);
//因为TextView的父布局为RelativeLayout,所以强制转为RelativeLayout.LayoutParams
RelativeLayout.LayoutParams layoutParams = (RelativeLayout.LayoutParams) tv.getLayoutParams();
layoutParams.topMargin=50;//设置顶部外边距marign为50像素
}
}
截图
上图中黑色部分即为顶部的外边距margin。如果TextView的父布局是LinearLayout,在进行强制类型转换的时候,把RelativeLayout.LayoutParams改成LinearLayout.LayoutParams即可。对于其他种类的父布局,类比一下就行了。