欢迎转载,转载请标明出处.
英文原文文档地址: Litho-doc
进阶指引
自定义布局
Litho依赖Yoga(一个可以创建复杂UI的强大的布局引擎)来进行布局计算.然而,也会存在一些例外情况,这些时候只使用Yoga还不够,你可能还需要自己实现测量和布局的工作.
Litho提供了一套自定义布局的API,用来在ComponentTree被创建的和被测量时访问尺寸信息,或者在一个隔离的环境中测量Component.
重要,请注意:这些API会造成不可忽略的性能开销,因此,我们建议仅仅在确定有必要使用它们的时候再去使用它们.
用例
- 一个Component布局树依赖于它自己的大小 和/或 它的孩子的大小.例如这种情况:一个Component布局只能在它的孩子们的大小符合父亲的限制的时候才使用它们,如果不符合,这个布局就需要使用作为后备的孩子来代替.
- 一个容器的孩子们必须根据它们的大小或者它们父亲的大小进行绝对位置的手动定位.Yoga可以绝对定位孩子在父亲中的位置.然而,这个位置本身可能取决于使用父母的大小限制计算后的孩子的大小尺寸.如果需要,margin或者padding也需要手动被计算在内.
大小约束
在使用API之前,你需要已经熟悉了传统Android View的onMeasure方法并且了解什么是MeasureSpec,因为Litho使用了一个类似的概念,名叫SizeSpec.
类似于Android的MeasureSpec,Litho的SizeSpec也是由size和mode组成的.可用的mode与MeasureSpec一样,有三种:UNSPECIFIED,EXACTLY和AT_MOST.
测量一个Component
我们可以使用给定的SizeSpec在隔离环境下测量Component.结果将会被填充进一个作为参数传递进去的Size对象中.
在下面的例子中,我们使用一个UNSPECIFIED的SizeSpec去测量一个Text Component,这表示文字的一行能够是无限长的.
1 2 3 4 5 6 7 8 9 10 11 12 13 14
| final Component<Text> textComponent = Text.create(c) .textSizeSp(16) .text(“Some text to measure.”) .build(); final Size outputSize = new Size(); textComponent.measure( c, SizeSpec.makeSizeSpec(0, UNSPECIFIED), SizeSpec.makeSizeSpec(0, UNSPECIFIED), outputSize); final int textComponentWidth = outputSize.width; final int textComponentHeight = outputSize.height;
|
SizeSpec
在布局创建期间,API可以提供Component将要被测量时使用的SizeSpec信息.为了获取这些信息,我们需要用一个新的@OnCreateLayoutWithSizeSpec注释替代原来的@OnCreateLayout.新的注释方法的参数,除了标准的ComponentContext,还有两个整型,它们分别代表width spec和height spec.
在下面的例子中,我们测量了一个Text Component来检查给定的文字是否适合可用的空间.如果不适合,则使用一个Image Component代替Text Component.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38
| @LayoutSpec class MyComponentSpec { @OnCreateLayoutWithSizeSpec static ComponentLayout onCreateLayoutWithSizeSpec( ComponentContext c, int widthSpec, int heightSpec, @Prop SomeObject someProp) { final Component<Text> textComponent = Text.create(c) .textSizeSp(16) .text(“Some text to measure.”) .build(); final Size textOutputSize = new Size(); textComponent.measure( c, SizeSpec.makeSizeSpec(0, UNSPECIFIED), SizeSpec.makeSizeSpec(0, UNSPECIFIED), textOutputSize); final Component<Image> imageComponent = Image.create(c) .srcRes(R.drawable.some_icon) .build(); final int layoutWidth = SizeSpec.getSize(widthSpec); final boolean textFits = (textOutputSize.width <= layoutWidth); return Layout.create(c, textFits ? textComponent : imageComponent) .build(); } }
|