这是这些常用视图方法的运行顺序:
1. Constructor // choose your desired size
2. onMeasure // parent will determine if your desired size is acceptable
3. onSizeChanged
4. onLayout
5. onDraw // draw your view content at the size specified by the parent
选择所需的尺寸
如果您的视图可以是它想要的任何尺寸,它会选择什么尺寸?这将是您的wrap_content
大小,并取决于您的自定义视图的内容。例子:
- 如果您的自定义视图是图像,那么您所需的大小可能是位图的像素尺寸加上任何填充。(在选择大小和绘制内容时,您有责任在计算中考虑填充。)
- 如果您的自定义视图是一个模拟时钟,那么所需的尺寸可能是它看起来不错的一些默认尺寸。(您始终可以获得设备的
dp
合适px
尺寸。)
如果您想要的大小使用繁重的计算,请在您的构造函数中执行此操作。否则,您可以将其分配在onMeasure
. ( onMeasure
, onLayout
, andonDraw
可能会被多次调用,这就是为什么在这里做繁重的工作不好的原因。)
协商最终尺寸
onMeasure
是孩子告诉父母想要多大的地方,父母决定是否可以接受。这个方法经常被调用几次,每次都传入不同的大小要求,看看是否可以达成某种妥协。最后,孩子需要尊重父母的尺寸要求。
当我需要复习如何设置我的onMeasure
:
@Override
protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {
int desiredWidth = 100;
int desiredHeight = 100;
int widthMode = MeasureSpec.getMode(widthMeasureSpec);
int widthSize = MeasureSpec.getSize(widthMeasureSpec);
int heightMode = MeasureSpec.getMode(heightMeasureSpec);
int heightSize = MeasureSpec.getSize(heightMeasureSpec);
int width;
int height;
//Measure Width
if (widthMode == MeasureSpec.EXACTLY) {
//Must be this size
width = widthSize;
} else if (widthMode == MeasureSpec.AT_MOST) {
//Can't be bigger than...
width = Math.min(desiredWidth, widthSize);
} else {
//Be whatever you want
width = desiredWidth;
}
//Measure Height
if (heightMode == MeasureSpec.EXACTLY) {
//Must be this size
height = heightSize;
} else if (heightMode == MeasureSpec.AT_MOST) {
//Can't be bigger than...
height = Math.min(desiredHeight, heightSize);
} else {
//Be whatever you want
height = desiredHeight;
}
//MUST CALL THIS
setMeasuredDimension(width, height);
}
在上面的示例中,所需的宽度和高度只是设置为一些默认值。您可以改为预先计算它们并使用类成员变量在此处设置它们。
使用选择的尺寸
之后onMeasure
,您的视图的大小是已知的。这个尺寸可能是也可能不是你要求的,但它是你现在必须使用的。使用该大小在onDraw
.
笔记
- 每当您对影响外观但不影响大小的视图进行更改时,请调用
invalidate()
. 这将导致onDraw
再次被调用(但不是所有其他以前的方法)。
- 每当您对视图进行更改会影响大小时,请调用
requestLayout()
. 这将重新开始测量和绘图的过程onMeasure
。它通常与对 的调用结合使用invalidate()
。
- 如果由于某种原因您确实无法事先确定合适的所需尺寸,那么我想您可以按照@nmw 的建议进行操作,只要求零宽度,零高度。
invalidate()
然后在加载所有内容后请求一个布局(不仅仅是)。不过,这似乎有点浪费,因为您需要将整个视图层次结构连续布置两次。