怎样获取到Android控件的宽高

作者: 磐龍 | 来源:发表于2019-10-29 20:35 被阅读0次

    问题

    获取一个控件的长和高,直接在onCreate里面调用getWidthgetMeasuredWidth不就能够获得了吗,当我们实际测试会发现,在onCreate里面,获取的长宽值始终为0。懵逼了,那应该怎么获取控件的长宽呢?!

    分析原因

    这是为什么呢,事实上熟悉view绘制流程的童鞋应该一眼就看出来了。在onCreate中。我们的控件事实上还并没有画好,换句话说,等onCreate方法运行完了,我们定义的控件才会被度量(measure),所以我们在onCreate方法里面通过view.getHeight()获取控件的高度或者宽度肯定是0。

    解决

    这里介绍三种方法

    方法一
    int w = View.MeasureSpec.makeMeasureSpec(0, View.MeasureSpec.UNSPECIFIED);
    int h = View.MeasureSpec.makeMeasureSpec(0, View.MeasureSpec.UNSPECIFIED);
    imageView.measure(w, h);
    int height = imageView.getMeasuredHeight();
    int width = imageView.getMeasuredWidth();
    

    这样的方法非常easy,就是我们自己来測量

    方法二
    ViewTreeObserver vto = imageView.getViewTreeObserver(); 
    vto.addOnPreDrawListener(new ViewTreeObserver.OnPreDrawListener() { 
                public boolean onPreDraw() { 
                    vto.removeOnPreDrawListener(this);
                    int height = imageView.getMeasuredHeight(); 
                    int width = imageView.getMeasuredWidth(); 
                    return true; 
                } 
            }); 
    

    这种方法。我们须要注冊一个ViewTreeObserver的监听回调,这个监听回调,就是专门监听画图的,既然是监听画图,那么我们自然能够获取測量值了,同一时候。我们在每次监听前remove前一次的监听,避免反复监听。

    方法三
    ViewTreeObserver vto = imageView.getViewTreeObserver();   
    vto.addOnGlobalLayoutListener(new OnGlobalLayoutListener() { 
            @Override   
         public void onGlobalLayout() {
                    imageView.getViewTreeObserver().removeGlobalOnLayoutListener(this); 
            imageView.getHeight();
                imageView.getWidth();
             }   
    });   
    

    这种方法于第2个方法基本同样,但他是全局的布局改变监听器,所以是最推荐使用的。

    总结

    获取Android控件的大小,貌似看起来很简单,但是获取时机不对,就得不到争取的值。项目中,我们经常需要在代码中计算控件的宽高,然后动态调整布局。笔者项目中也遇到这种问题,xml布局无法解决,只能在代码中去计算调整布局。
    上面介绍了三种方法,都有代码说明,本人最经常用的是第三种,也是最推荐使用的。

    相关文章

      网友评论

        本文标题:怎样获取到Android控件的宽高

        本文链接:https://www.haomeiwen.com/subject/xykfuctx.html