Android 尺寸单位转换dp2px及为什么结果要加上0.5f

在xml资源文件中,我们的控件单位可以使用dp来设置,但是当我在Java文件中设置控件的各种长度的,使用的单位是像素px,而不是dp。所以在使用时我们需要做dp到px的转换。代码如下:

public class DpUtil {

    public static int px2dip(Context context, float pxValue) {
        float scale = context.getResources().getDisplayMetrics().density;
        return (int) (pxValue / scale + 0.5f);
    }
    public static int dip2px(Context context, float dpValue) {
        float scale = context.getResources().getDisplayMetrics().density;
        return (int) (dpValue * scale + 0.5f);
    }
}

代码中最后转换结果需要+0.5f,是出于计算精度的考虑,当浮点数转为整型数时,会抛弃掉小数位,也就是说会进行向下取整。为了出于计算精度的考虑,我们需要对结果进行四舍五入。当我们在结果中加上0.5f后,即可实现四舍五入。

 float a ,b;
        a=1.3f;
        b=1.9f;
        int a1=(int)a;
        int b1=(int)b;
//        此时 a1=1,b1=1;
        int a2=(int)(a+0.5f);
        int b2=(int)(b+0.5f);
//        此时a2=(int)1.8f=1 ;b2=(int)2.4f=2; 

 

你可能感兴趣的:(Android拾遗)