Flutter -- 14.渲染原理

  • Flutter并不是渲染Widget树的,因为每一次build都会重新创建,极其不稳定,因此渲染Widget树是非常浪费性能的
  • 并不是所有的Widget都会被独立渲染,只有继承自RenderObejctWidget才会创建RenderObject进行渲染
  • Flutter是对Render🌲进行渲染的

1.Widget🌲

  • 其实就我们代码中Widget的层级关系,在代码写完后,Widget树就已经确定
  • 在我们创建Widget的时候,Widget源码中有一个非常重要的方法createElement()
  /// Inflates this configuration to a concrete instance.
  ///
  /// A given widget can be included in the tree zero or more times. In particular
  /// a given widget can be placed in the tree multiple times. Each time a widget
  /// is placed in the tree, it is inflated into an [Element], which means a
  /// widget that is incorporated into the tree multiple times will be inflated
  /// multiple times.
  @protected
  @factory
  Element createElement();
  • 意味着在Widget的创建的时候,就会隐式调用该方法创建一个Element,并加入到Element🌲
  • 也就是说,Widget与Element一一对应

2.Element🌲

  • createElement的实现
  • 这里有个非常重要的方法mount
  /// Add this element to the tree in the given slot of the given parent.
  ///
  /// The framework calls this function when a newly created element is added to
  /// the tree for the first time. Use this method to initialize state that
  /// depends on having a parent. State that is independent of the parent can
  /// more easily be initialized in the constructor.
  ///
  /// This method transitions the element from the "initial" lifecycle state to
  /// the "active" lifecycle state.
  ///
  /// Subclasses that override this method are likely to want to also override
  /// [update], [visitChildren], [RenderObjectElement.insertRenderObjectChild],
  /// [RenderObjectElement.moveRenderObjectChild], and
  /// [RenderObjectElement.removeRenderObjectChild].
  ///
  /// Implementations of this method should start with a call to the inherited
  /// method, as in `super.mount(parent, newSlot)`.
  @mustCallSuper
  void mount(Element? parent, Object? newSlot) {...}
  • 通过注释,可以得知一个重要的信息。当一个新的element被创建并且加入到Element🌲中时,该framework会调用该方法
  • 此时我们心中可能有点逻辑了
    1.创建Widget会隐式的调用createElement
    2.createElement后加入Element🌲中后,会立即执行mount方法
  • 那么mount方法到底是实现了什么呢?
1.StatelessElement(StatelessWidget)
  • 1.在StatelessWidget源码中找到createElement
StatelessElement createElement() => StatelessElement(this);
  • 2.进入StatelessElement源码发现没有mount方法
  • 3.进入StatelessElement的父类ComponentElement,此时发现惊奇却又意料之中的mount方法
//去掉assert,相当于执行了__firstBuild()
@override
  void mount(Element? parent, Object? newSlot) {
    super.mount(parent, newSlot);
    assert(_child == null);
    assert(_lifecycleState == _ElementLifecycle.active);
    _firstBuild();
    assert(_child != null);
  }
  • 4.进入__firstBuild()
    只调用了rebuild方法
void _firstBuild() {
    rebuild();
  }
  • 5.进入rebuild(此时进入Element,ComponentElement的super)
    去除assert,发现只调用了performRebuild方法
  void rebuild() {
    assert(_lifecycleState != _ElementLifecycle.initial);
    if (_lifecycleState != _ElementLifecycle.active || !_dirty)
      return;
    assert(() {
      debugOnRebuildDirtyWidget?.call(this, _debugBuiltOnce);
      if (debugPrintRebuildDirtyWidgets) {
        if (!_debugBuiltOnce) {
          debugPrint('Building $this');
          _debugBuiltOnce = true;
        } else {
          debugPrint('Rebuilding $this');
        }
      }
      return true;
    }());
    assert(_lifecycleState == _ElementLifecycle.active);
    assert(owner!._debugStateLocked);
    Element? debugPreviousBuildTarget;
    assert(() {
      debugPreviousBuildTarget = owner!._debugCurrentBuildTarget;
      owner!._debugCurrentBuildTarget = this;
      return true;
    }());
    performRebuild();
    assert(() {
      assert(owner!._debugCurrentBuildTarget == this);
      owner!._debugCurrentBuildTarget = debugPreviousBuildTarget;
      return true;
    }());
    assert(!_dirty);
  }
  • 6.进入performRebuild
    这里没有实现,此时我们在Element里面
@protected
  void performRebuild();
  • 7.查看上一层(ComponentElement)是否实现了该方法
    此时发现ComponentElement实现该方法,并且执行了build()
    此时可能有些疑问,我们的每个Widget里也有build方法,是否调用的那个呢?
    答案当然不是了,一个Widget一个是Element,类型都是不一样的
  void performRebuild() {
    if (!kReleaseMode && debugProfileBuildsEnabled)
      Timeline.startSync('${widget.runtimeType}',  arguments: timelineArgumentsIndicatingLandmarkEvent);

    assert(_debugSetAllowIgnoredCallsToMarkNeedsBuild(true));
    Widget? built;
    try {
      assert(() {
        _debugDoingBuild = true;
        return true;
      }());
      built = build();
      //这里省略了后面的源码
      ...
  }
  • 8.继续查看build
    这里没有实现,此时我们在ComponentElement
@protected
  Widget build();
  • 9.向ComponentElement子类寻找build
    此时只有一个类了,StatelessElement
@override
  Widget build() => widget.build(this);

执行到这里,已经非常的清楚明了。
这里居然在widget执行build方法,同时把自己(StatelessElement)传入进去了
这能印证了在生命周期中对setState源码分析时说到context其实就是element的说法吗?
当然这个说法并不是完全的正确,因为我们当前分析的是StatelessWidget与StatelessElement


总结
主要是调用build方法,将自己(StatelessElement)传出去

2.StatefulElement(StatefulWidget)
  • 1.在StatefulWidget源码中找到createElement
StatefulElement createElement() => StatefulElement(this);
  • 2.进入StatefulElement查看,发现构造方法
    执行了_state = widget.createState()方法,_state保存在Element中,也就是StatefulWidget里必须实现的createState方法
    执行了state._element = this,也就是将element传给state,Widget和State共用同一个Element
    执行了state._widget = widget,也就是为什么在State里面可以使用widget的原因
    当你了解到这,或许就可以想得通关于key出现的BUG
StatefulElement(StatefulWidget widget)
      : _state = widget.createState(),
        super(widget) {
    assert(() {
      if (!state._debugTypesAreRight(widget)) {
        throw FlutterError.fromParts(<DiagnosticsNode>[
          ErrorSummary('StatefulWidget.createState must return a subtype of State<${widget.runtimeType}>'),
          ErrorDescription(
            'The createState function for ${widget.runtimeType} returned a state '
            'of type ${state.runtimeType}, which is not a subtype of '
            'State<${widget.runtimeType}>, violating the contract for createState.',
          ),
        ]);
      }
      return true;
    }());
    assert(state._element == null);
    state._element = this;
    assert(
      state._widget == null,
      'The createState function for $widget returned an old or invalid state '
      'instance: ${state._widget}, which is not null, violating the contract '
      'for createState.',
    );
    state._widget = widget;
    assert(state._debugLifecycleState == _StateLifecycle.created);
  }
  • 3.StatefulElement继承于ComponentElement
    因此中间逻辑和StatelessElement一致
  • 3.直接跳到StatefulElement的build方法
    state执行build方法,同时把自己(StatelessElement)传入进去了,也就是执行了State类中的build方法
    印证了在生命周期中对setState源码分析时说到context其实就是element的说法
@override
  Widget build() => state.build(this);

总结
创建State,将Element和Widget赋值给Sate,调用build将自己(StatelessElement)传出去

3.RenderObjectElement(这里以Flex为例)
  • 1.进入Flex源码,发现继承自MultiChildRenderObjectWidget
class Flex extends MultiChildRenderObjectWidget{}
  • 2.进入MultiChildRenderObjectWidget,发现执行createElement
MultiChildRenderObjectElement createElement() => MultiChildRenderObjectElement(this);
  • 3.进入MultiChildRenderObjectElement,发现并没有mount方法
  • 4.进入MultiChildRenderObjectElement父类RenderObjectElement,发现了mount方法
    这里调用了_renderObject = widget.createRenderObject(this)创建了一个RenderObject对象
    那么这里创建了RenderObject会加入到Render🌲独立渲染吗?
  void mount(Element? parent, Object? newSlot) {
    super.mount(parent, newSlot);
    assert(() {
      _debugDoingBuild = true;
      return true;
    }());
    _renderObject = widget.createRenderObject(this);
    assert(!_renderObject!.debugDisposed!);
    assert(() {
      _debugDoingBuild = false;
      return true;
    }());
    assert(() {
      _debugUpdateRenderObjectOwner();
      return true;
    }());
    assert(_slot == newSlot);
    attachRenderObject(newSlot);
    _dirty = false;
  }
  • 5.这个方法是Widget调用的,首先去Flex查看
    发现了createRenderObject的实现,返回了RenderFlex
    RenderFlex实际就是继承自RenderBox,RenderBox继承自RenderObject
    意思就是这个方法返回了一个RenderObject对象
@override
  RenderFlex createRenderObject(BuildContext context) {
    return RenderFlex(
      direction: direction,
      mainAxisAlignment: mainAxisAlignment,
      mainAxisSize: mainAxisSize,
      crossAxisAlignment: crossAxisAlignment,
      textDirection: getEffectiveTextDirection(context),
      verticalDirection: verticalDirection,
      textBaseline: textBaseline,
      clipBehavior: clipBehavior,
    );
  }
  • 6.那么这个方法实现了有什么作用呢?
    因为这个方法是继承的,那么我们去找到它的声明
  • 7.从Flex以此往上层找createRenderObject
    MultiChildRenderObjectWidget没有
    RenderobjectWidget有了
    创建RenderObject并加入到Render🌲里
  /// Creates an instance of the [RenderObject] class that this
  /// [RenderObjectWidget] represents, using the configuration described by this
  /// [RenderObjectWidget].
  ///
  /// This method should not do anything with the children of the render object.
  /// That should instead be handled by the method that overrides
  /// [RenderObjectElement.mount] in the object rendered by this object's
  /// [createElement] method. See, for example,
  /// [SingleChildRenderObjectElement.mount].
  @protected
  @factory
  RenderObject createRenderObject(BuildContext context);

总结
调用createRenderObject,加入Render🌲

3.Render🌲

  • 继承自RenderObjectWidget并且实现createRenderObject方法返回一个RenderObject
  • Flutter引擎只有对Render🌲渲染

4.待解决,疑惑

1.StatelessWidget和StatefulWidget怎么渲染上去的?
个人感觉肯定是Element又创建了一次Render

最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 206,482评论 6 481
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 88,377评论 2 382
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 152,762评论 0 342
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 55,273评论 1 279
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 64,289评论 5 373
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 49,046评论 1 285
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 38,351评论 3 400
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,988评论 0 259
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 43,476评论 1 300
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,948评论 2 324
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 38,064评论 1 333
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,712评论 4 323
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 39,261评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 30,264评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,486评论 1 262
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 45,511评论 2 354
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,802评论 2 345

推荐阅读更多精彩内容