RenderNode.cpp revision 98787e6c9b2c10b1ab7820bdac168686025b924a
1/*
2 * Copyright (C) 2014 The Android Open Source Project
3 *
4 * Licensed under the Apache License, Version 2.0 (the "License");
5 * you may not use this file except in compliance with the License.
6 * You may obtain a copy of the License at
7 *
8 *      http://www.apache.org/licenses/LICENSE-2.0
9 *
10 * Unless required by applicable law or agreed to in writing, software
11 * distributed under the License is distributed on an "AS IS" BASIS,
12 * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13 * See the License for the specific language governing permissions and
14 * limitations under the License.
15 */
16
17#include "RenderNode.h"
18
19#include "DamageAccumulator.h"
20#include "Debug.h"
21#if HWUI_NEW_OPS
22#include "RecordedOp.h"
23#include "BakedOpRenderer.h"
24#endif
25#include "DisplayListOp.h"
26#include "LayerRenderer.h"
27#include "OpenGLRenderer.h"
28#include "TreeInfo.h"
29#include "utils/MathUtils.h"
30#include "utils/TraceUtils.h"
31#include "renderthread/CanvasContext.h"
32
33#include "protos/hwui.pb.h"
34#include "protos/ProtoHelpers.h"
35
36#include <SkCanvas.h>
37
38#include <algorithm>
39#include <sstream>
40#include <string>
41
42namespace android {
43namespace uirenderer {
44
45void RenderNode::debugDumpLayers(const char* prefix) {
46#if HWUI_NEW_OPS
47    LOG_ALWAYS_FATAL("TODO: dump layer");
48#else
49    if (mLayer) {
50        ALOGD("%sNode %p (%s) has layer %p (fbo = %u, wasBuildLayered = %s)",
51                prefix, this, getName(), mLayer, mLayer->getFbo(),
52                mLayer->wasBuildLayered ? "true" : "false");
53    }
54#endif
55    if (mDisplayList) {
56        for (auto&& child : mDisplayList->getChildren()) {
57            child->renderNode->debugDumpLayers(prefix);
58        }
59    }
60}
61
62RenderNode::RenderNode()
63        : mDirtyPropertyFields(0)
64        , mNeedsDisplayListSync(false)
65        , mDisplayList(nullptr)
66        , mStagingDisplayList(nullptr)
67        , mAnimatorManager(*this)
68        , mParentCount(0) {
69}
70
71RenderNode::~RenderNode() {
72    deleteDisplayList();
73    delete mStagingDisplayList;
74#if HWUI_NEW_OPS
75    LOG_ALWAYS_FATAL_IF(mLayer, "layer missed detachment!");
76#else
77    if (mLayer) {
78        ALOGW("Memory Warning: Layer %p missed its detachment, held on to for far too long!", mLayer);
79        mLayer->postDecStrong();
80        mLayer = nullptr;
81    }
82#endif
83}
84
85void RenderNode::setStagingDisplayList(DisplayList* displayList) {
86    mNeedsDisplayListSync = true;
87    delete mStagingDisplayList;
88    mStagingDisplayList = displayList;
89    // If mParentCount == 0 we are the sole reference to this RenderNode,
90    // so immediately free the old display list
91    if (!mParentCount && !mStagingDisplayList) {
92        deleteDisplayList();
93    }
94}
95
96/**
97 * This function is a simplified version of replay(), where we simply retrieve and log the
98 * display list. This function should remain in sync with the replay() function.
99 */
100void RenderNode::output(uint32_t level) {
101    ALOGD("%*sStart display list (%p, %s%s%s%s%s%s)", (level - 1) * 2, "", this,
102            getName(),
103            (MathUtils::isZero(properties().getAlpha()) ? ", zero alpha" : ""),
104            (properties().hasShadow() ? ", casting shadow" : ""),
105            (isRenderable() ? "" : ", empty"),
106            (properties().getProjectBackwards() ? ", projected" : ""),
107            (mLayer != nullptr ? ", on HW Layer" : ""));
108    ALOGD("%*s%s %d", level * 2, "", "Save",
109            SkCanvas::kMatrix_SaveFlag | SkCanvas::kClip_SaveFlag);
110
111    properties().debugOutputProperties(level);
112
113    if (mDisplayList) {
114#if HWUI_NEW_OPS
115        LOG_ALWAYS_FATAL("op dumping unsupported");
116#else
117        // TODO: consider printing the chunk boundaries here
118        for (auto&& op : mDisplayList->getOps()) {
119            op->output(level, DisplayListOp::kOpLogFlag_Recurse);
120        }
121#endif
122    }
123
124    ALOGD("%*sDone (%p, %s)", (level - 1) * 2, "", this, getName());
125}
126
127void RenderNode::copyTo(proto::RenderNode *pnode) {
128    pnode->set_id(static_cast<uint64_t>(
129            reinterpret_cast<uintptr_t>(this)));
130    pnode->set_name(mName.string(), mName.length());
131
132    proto::RenderProperties* pprops = pnode->mutable_properties();
133    pprops->set_left(properties().getLeft());
134    pprops->set_top(properties().getTop());
135    pprops->set_right(properties().getRight());
136    pprops->set_bottom(properties().getBottom());
137    pprops->set_clip_flags(properties().getClippingFlags());
138    pprops->set_alpha(properties().getAlpha());
139    pprops->set_translation_x(properties().getTranslationX());
140    pprops->set_translation_y(properties().getTranslationY());
141    pprops->set_translation_z(properties().getTranslationZ());
142    pprops->set_elevation(properties().getElevation());
143    pprops->set_rotation(properties().getRotation());
144    pprops->set_rotation_x(properties().getRotationX());
145    pprops->set_rotation_y(properties().getRotationY());
146    pprops->set_scale_x(properties().getScaleX());
147    pprops->set_scale_y(properties().getScaleY());
148    pprops->set_pivot_x(properties().getPivotX());
149    pprops->set_pivot_y(properties().getPivotY());
150    pprops->set_has_overlapping_rendering(properties().getHasOverlappingRendering());
151    pprops->set_pivot_explicitly_set(properties().isPivotExplicitlySet());
152    pprops->set_project_backwards(properties().getProjectBackwards());
153    pprops->set_projection_receiver(properties().isProjectionReceiver());
154    set(pprops->mutable_clip_bounds(), properties().getClipBounds());
155
156    const Outline& outline = properties().getOutline();
157    if (outline.getType() != Outline::Type::None) {
158        proto::Outline* poutline = pprops->mutable_outline();
159        poutline->clear_path();
160        if (outline.getType() == Outline::Type::Empty) {
161            poutline->set_type(proto::Outline_Type_Empty);
162        } else if (outline.getType() == Outline::Type::ConvexPath) {
163            poutline->set_type(proto::Outline_Type_ConvexPath);
164            if (const SkPath* path = outline.getPath()) {
165                set(poutline->mutable_path(), *path);
166            }
167        } else if (outline.getType() == Outline::Type::RoundRect) {
168            poutline->set_type(proto::Outline_Type_RoundRect);
169        } else {
170            ALOGW("Uknown outline type! %d", static_cast<int>(outline.getType()));
171            poutline->set_type(proto::Outline_Type_None);
172        }
173        poutline->set_should_clip(outline.getShouldClip());
174        poutline->set_alpha(outline.getAlpha());
175        poutline->set_radius(outline.getRadius());
176        set(poutline->mutable_bounds(), outline.getBounds());
177    } else {
178        pprops->clear_outline();
179    }
180
181    const RevealClip& revealClip = properties().getRevealClip();
182    if (revealClip.willClip()) {
183        proto::RevealClip* prevealClip = pprops->mutable_reveal_clip();
184        prevealClip->set_x(revealClip.getX());
185        prevealClip->set_y(revealClip.getY());
186        prevealClip->set_radius(revealClip.getRadius());
187    } else {
188        pprops->clear_reveal_clip();
189    }
190
191    pnode->clear_children();
192    if (mDisplayList) {
193        for (auto&& child : mDisplayList->getChildren()) {
194            child->renderNode->copyTo(pnode->add_children());
195        }
196    }
197}
198
199int RenderNode::getDebugSize() {
200    int size = sizeof(RenderNode);
201    if (mStagingDisplayList) {
202        size += mStagingDisplayList->getUsedSize();
203    }
204    if (mDisplayList && mDisplayList != mStagingDisplayList) {
205        size += mDisplayList->getUsedSize();
206    }
207    return size;
208}
209
210void RenderNode::prepareTree(TreeInfo& info) {
211    ATRACE_CALL();
212    LOG_ALWAYS_FATAL_IF(!info.damageAccumulator, "DamageAccumulator missing");
213
214    // Functors don't correctly handle stencil usage of overdraw debugging - shove 'em in a layer.
215    bool functorsNeedLayer = Properties::debugOverdraw;
216
217    prepareTreeImpl(info, functorsNeedLayer);
218}
219
220void RenderNode::addAnimator(const sp<BaseRenderNodeAnimator>& animator) {
221    mAnimatorManager.addAnimator(animator);
222}
223
224void RenderNode::damageSelf(TreeInfo& info) {
225    if (isRenderable()) {
226        if (properties().getClipDamageToBounds()) {
227            info.damageAccumulator->dirty(0, 0, properties().getWidth(), properties().getHeight());
228        } else {
229            // Hope this is big enough?
230            // TODO: Get this from the display list ops or something
231            info.damageAccumulator->dirty(DIRTY_MIN, DIRTY_MIN, DIRTY_MAX, DIRTY_MAX);
232        }
233    }
234}
235
236void RenderNode::prepareLayer(TreeInfo& info, uint32_t dirtyMask) {
237    LayerType layerType = properties().effectiveLayerType();
238    if (CC_UNLIKELY(layerType == LayerType::RenderLayer)) {
239        // Damage applied so far needs to affect our parent, but does not require
240        // the layer to be updated. So we pop/push here to clear out the current
241        // damage and get a clean state for display list or children updates to
242        // affect, which will require the layer to be updated
243        info.damageAccumulator->popTransform();
244        info.damageAccumulator->pushTransform(this);
245        if (dirtyMask & DISPLAY_LIST) {
246            damageSelf(info);
247        }
248    }
249}
250
251static layer_t* createLayer(RenderState& renderState, uint32_t width, uint32_t height) {
252#if HWUI_NEW_OPS
253    return renderState.layerPool().get(renderState, width, height);
254#else
255    return LayerRenderer::createRenderLayer(renderState, width, height);
256#endif
257}
258
259static void destroyLayer(layer_t* layer) {
260#if HWUI_NEW_OPS
261    RenderState& renderState = layer->renderState;
262    renderState.layerPool().putOrDelete(layer);
263#else
264    LayerRenderer::destroyLayer(layer);
265#endif
266}
267
268static bool layerMatchesWidthAndHeight(layer_t* layer, int width, int height) {
269#if HWUI_NEW_OPS
270    return layer->viewportWidth == (uint32_t) width && layer->viewportHeight == (uint32_t)height;
271#else
272    return layer->layer.getWidth() == width && layer->layer.getHeight() == height;
273#endif
274}
275
276void RenderNode::pushLayerUpdate(TreeInfo& info) {
277    LayerType layerType = properties().effectiveLayerType();
278    // If we are not a layer OR we cannot be rendered (eg, view was detached)
279    // we need to destroy any Layers we may have had previously
280    if (CC_LIKELY(layerType != LayerType::RenderLayer) || CC_UNLIKELY(!isRenderable())) {
281        if (CC_UNLIKELY(mLayer)) {
282            destroyLayer(mLayer);
283            mLayer = nullptr;
284        }
285        return;
286    }
287
288    bool transformUpdateNeeded = false;
289    if (!mLayer) {
290        mLayer = createLayer(info.canvasContext.getRenderState(), getWidth(), getHeight());
291        damageSelf(info);
292        transformUpdateNeeded = true;
293    } else if (!layerMatchesWidthAndHeight(mLayer, getWidth(), getHeight())) {
294#if HWUI_NEW_OPS
295        RenderState& renderState = mLayer->renderState;
296        if (properties().fitsOnLayer()) {
297            mLayer = renderState.layerPool().resize(mLayer, getWidth(), getHeight());
298        } else {
299#else
300        if (!LayerRenderer::resizeLayer(mLayer, getWidth(), getHeight())) {
301#endif
302            destroyLayer(mLayer);
303            mLayer = nullptr;
304        }
305        damageSelf(info);
306        transformUpdateNeeded = true;
307    }
308
309    SkRect dirty;
310    info.damageAccumulator->peekAtDirty(&dirty);
311
312    if (!mLayer) {
313        Caches::getInstance().dumpMemoryUsage();
314        if (info.errorHandler) {
315            std::ostringstream err;
316            err << "Unable to create layer for " << getName();
317            const int maxTextureSize = Caches::getInstance().maxTextureSize;
318            if (getWidth() > maxTextureSize || getHeight() > maxTextureSize) {
319                err << ", size " << getWidth() << "x" << getHeight()
320                        << " exceeds max size " << maxTextureSize;
321            } else {
322                err << ", see logcat for more info";
323            }
324            info.errorHandler->onError(err.str());
325        }
326        return;
327    }
328
329    if (transformUpdateNeeded && mLayer) {
330        // update the transform in window of the layer to reset its origin wrt light source position
331        Matrix4 windowTransform;
332        info.damageAccumulator->computeCurrentTransform(&windowTransform);
333        mLayer->setWindowTransform(windowTransform);
334    }
335
336#if HWUI_NEW_OPS
337    info.layerUpdateQueue->enqueueLayerWithDamage(this, dirty);
338#else
339    if (dirty.intersect(0, 0, getWidth(), getHeight())) {
340        dirty.roundOut(&dirty);
341        mLayer->updateDeferred(this, dirty.fLeft, dirty.fTop, dirty.fRight, dirty.fBottom);
342    }
343    // This is not inside the above if because we may have called
344    // updateDeferred on a previous prepare pass that didn't have a renderer
345    if (info.renderer && mLayer->deferredUpdateScheduled) {
346        info.renderer->pushLayerUpdate(mLayer);
347    }
348#endif
349
350    // There might be prefetched layers that need to be accounted for.
351    // That might be us, so tell CanvasContext that this layer is in the
352    // tree and should not be destroyed.
353    info.canvasContext.markLayerInUse(this);
354}
355
356/**
357 * Traverse down the the draw tree to prepare for a frame.
358 *
359 * MODE_FULL = UI Thread-driven (thus properties must be synced), otherwise RT driven
360 *
361 * While traversing down the tree, functorsNeedLayer flag is set to true if anything that uses the
362 * stencil buffer may be needed. Views that use a functor to draw will be forced onto a layer.
363 */
364void RenderNode::prepareTreeImpl(TreeInfo& info, bool functorsNeedLayer) {
365    info.damageAccumulator->pushTransform(this);
366
367    if (info.mode == TreeInfo::MODE_FULL) {
368        pushStagingPropertiesChanges(info);
369    }
370    uint32_t animatorDirtyMask = 0;
371    if (CC_LIKELY(info.runAnimations)) {
372        animatorDirtyMask = mAnimatorManager.animate(info);
373    }
374
375    bool willHaveFunctor = false;
376    if (info.mode == TreeInfo::MODE_FULL && mStagingDisplayList) {
377        willHaveFunctor = !mStagingDisplayList->getFunctors().empty();
378    } else if (mDisplayList) {
379        willHaveFunctor = !mDisplayList->getFunctors().empty();
380    }
381    bool childFunctorsNeedLayer = mProperties.prepareForFunctorPresence(
382            willHaveFunctor, functorsNeedLayer);
383
384    prepareLayer(info, animatorDirtyMask);
385    if (info.mode == TreeInfo::MODE_FULL) {
386        pushStagingDisplayListChanges(info);
387    }
388    prepareSubTree(info, childFunctorsNeedLayer, mDisplayList);
389    pushLayerUpdate(info);
390
391    info.damageAccumulator->popTransform();
392}
393
394void RenderNode::syncProperties() {
395    mProperties = mStagingProperties;
396}
397
398void RenderNode::pushStagingPropertiesChanges(TreeInfo& info) {
399    // Push the animators first so that setupStartValueIfNecessary() is called
400    // before properties() is trampled by stagingProperties(), as they are
401    // required by some animators.
402    if (CC_LIKELY(info.runAnimations)) {
403        mAnimatorManager.pushStaging();
404    }
405    if (mDirtyPropertyFields) {
406        mDirtyPropertyFields = 0;
407        damageSelf(info);
408        info.damageAccumulator->popTransform();
409        syncProperties();
410#if !HWUI_NEW_OPS
411        applyLayerPropertiesToLayer(info);
412#endif
413        // We could try to be clever and only re-damage if the matrix changed.
414        // However, we don't need to worry about that. The cost of over-damaging
415        // here is only going to be a single additional map rect of this node
416        // plus a rect join(). The parent's transform (and up) will only be
417        // performed once.
418        info.damageAccumulator->pushTransform(this);
419        damageSelf(info);
420    }
421}
422
423#if !HWUI_NEW_OPS
424void RenderNode::applyLayerPropertiesToLayer(TreeInfo& info) {
425    if (CC_LIKELY(!mLayer)) return;
426
427    const LayerProperties& props = properties().layerProperties();
428    mLayer->setAlpha(props.alpha(), props.xferMode());
429    mLayer->setColorFilter(props.colorFilter());
430    mLayer->setBlend(props.needsBlending());
431}
432#endif
433
434void RenderNode::syncDisplayList() {
435    // Make sure we inc first so that we don't fluctuate between 0 and 1,
436    // which would thrash the layer cache
437    if (mStagingDisplayList) {
438        for (auto&& child : mStagingDisplayList->getChildren()) {
439            child->renderNode->incParentRefCount();
440        }
441    }
442    deleteDisplayList();
443    mDisplayList = mStagingDisplayList;
444    mStagingDisplayList = nullptr;
445    if (mDisplayList) {
446        for (size_t i = 0; i < mDisplayList->getFunctors().size(); i++) {
447            (*mDisplayList->getFunctors()[i])(DrawGlInfo::kModeSync, nullptr);
448        }
449    }
450}
451
452void RenderNode::pushStagingDisplayListChanges(TreeInfo& info) {
453    if (mNeedsDisplayListSync) {
454        mNeedsDisplayListSync = false;
455        // Damage with the old display list first then the new one to catch any
456        // changes in isRenderable or, in the future, bounds
457        damageSelf(info);
458        syncDisplayList();
459        damageSelf(info);
460    }
461}
462
463void RenderNode::deleteDisplayList() {
464    if (mDisplayList) {
465        for (auto&& child : mDisplayList->getChildren()) {
466            child->renderNode->decParentRefCount();
467        }
468    }
469    delete mDisplayList;
470    mDisplayList = nullptr;
471}
472
473void RenderNode::prepareSubTree(TreeInfo& info, bool functorsNeedLayer, DisplayList* subtree) {
474    if (subtree) {
475        TextureCache& cache = Caches::getInstance().textureCache;
476        info.out.hasFunctors |= subtree->getFunctors().size();
477        for (auto&& bitmapResource : subtree->getBitmapResources()) {
478            void* ownerToken = &info.canvasContext;
479            info.prepareTextures = cache.prefetchAndMarkInUse(ownerToken, bitmapResource);
480        }
481        for (auto&& op : subtree->getChildren()) {
482            RenderNode* childNode = op->renderNode;
483#if HWUI_NEW_OPS
484            info.damageAccumulator->pushTransform(&op->localMatrix);
485            bool childFunctorsNeedLayer = functorsNeedLayer; // TODO! || op->mRecordedWithPotentialStencilClip;
486#else
487            info.damageAccumulator->pushTransform(&op->mTransformFromParent);
488            bool childFunctorsNeedLayer = functorsNeedLayer
489                    // Recorded with non-rect clip, or canvas-rotated by parent
490                    || op->mRecordedWithPotentialStencilClip;
491#endif
492            childNode->prepareTreeImpl(info, childFunctorsNeedLayer);
493            info.damageAccumulator->popTransform();
494        }
495    }
496}
497
498void RenderNode::destroyHardwareResources() {
499    if (mLayer) {
500        destroyLayer(mLayer);
501        mLayer = nullptr;
502    }
503    if (mDisplayList) {
504        for (auto&& child : mDisplayList->getChildren()) {
505            child->renderNode->destroyHardwareResources();
506        }
507        if (mNeedsDisplayListSync) {
508            // Next prepare tree we are going to push a new display list, so we can
509            // drop our current one now
510            deleteDisplayList();
511        }
512    }
513}
514
515void RenderNode::decParentRefCount() {
516    LOG_ALWAYS_FATAL_IF(!mParentCount, "already 0!");
517    mParentCount--;
518    if (!mParentCount) {
519        // If a child of ours is being attached to our parent then this will incorrectly
520        // destroy its hardware resources. However, this situation is highly unlikely
521        // and the failure is "just" that the layer is re-created, so this should
522        // be safe enough
523        destroyHardwareResources();
524    }
525}
526
527bool RenderNode::applyViewProperties(CanvasState& canvasState, LinearAllocator& allocator) const {
528    const Outline& outline = properties().getOutline();
529    if (properties().getAlpha() <= 0
530            || (outline.getShouldClip() && outline.isEmpty())
531            || properties().getScaleX() == 0
532            || properties().getScaleY() == 0) {
533        return false; // rejected
534    }
535
536    if (properties().getLeft() != 0 || properties().getTop() != 0) {
537        canvasState.translate(properties().getLeft(), properties().getTop());
538    }
539    if (properties().getStaticMatrix()) {
540        canvasState.concatMatrix(*properties().getStaticMatrix());
541    } else if (properties().getAnimationMatrix()) {
542        canvasState.concatMatrix(*properties().getAnimationMatrix());
543    }
544    if (properties().hasTransformMatrix()) {
545        if (properties().isTransformTranslateOnly()) {
546            canvasState.translate(properties().getTranslationX(), properties().getTranslationY());
547        } else {
548            canvasState.concatMatrix(*properties().getTransformMatrix());
549        }
550    }
551
552    const bool isLayer = properties().effectiveLayerType() != LayerType::None;
553    int clipFlags = properties().getClippingFlags();
554    if (properties().getAlpha() < 1) {
555        if (isLayer) {
556            clipFlags &= ~CLIP_TO_BOUNDS; // bounds clipping done by layer
557        }
558        if (CC_LIKELY(isLayer || !properties().getHasOverlappingRendering())) {
559            // simply scale rendering content's alpha
560            canvasState.scaleAlpha(properties().getAlpha());
561        } else {
562            // savelayer needed to create an offscreen buffer
563            Rect layerBounds(0, 0, getWidth(), getHeight());
564            if (clipFlags) {
565                properties().getClippingRectForFlags(clipFlags, &layerBounds);
566                clipFlags = 0; // all clipping done by savelayer
567            }
568            LOG_ALWAYS_FATAL("TODO: savelayer");
569        }
570
571        if (CC_UNLIKELY(ATRACE_ENABLED() && properties().promotedToLayer())) {
572            // pretend alpha always causes savelayer to warn about
573            // performance problem affecting old versions
574            ATRACE_FORMAT("%s alpha caused saveLayer %dx%d", getName(), getWidth(), getHeight());
575        }
576    }
577    if (clipFlags) {
578        Rect clipRect;
579        properties().getClippingRectForFlags(clipFlags, &clipRect);
580        canvasState.clipRect(clipRect.left, clipRect.top, clipRect.right, clipRect.bottom,
581                SkRegion::kIntersect_Op);
582    }
583
584    // TODO: support nesting round rect clips
585    if (mProperties.getRevealClip().willClip()) {
586        Rect bounds;
587        mProperties.getRevealClip().getBounds(&bounds);
588        canvasState.setClippingRoundRect(allocator,
589                bounds, mProperties.getRevealClip().getRadius());
590    } else if (mProperties.getOutline().willClip()) {
591        canvasState.setClippingOutline(allocator, &(mProperties.getOutline()));
592    }
593    return !canvasState.quickRejectConservative(
594            0, 0, properties().getWidth(), properties().getHeight());
595}
596
597/*
598 * For property operations, we pass a savecount of 0, since the operations aren't part of the
599 * displaylist, and thus don't have to compensate for the record-time/playback-time discrepancy in
600 * base saveCount (i.e., how RestoreToCount uses saveCount + properties().getCount())
601 */
602#define PROPERTY_SAVECOUNT 0
603
604template <class T>
605void RenderNode::setViewProperties(OpenGLRenderer& renderer, T& handler) {
606#if DEBUG_DISPLAY_LIST
607    properties().debugOutputProperties(handler.level() + 1);
608#endif
609    if (properties().getLeft() != 0 || properties().getTop() != 0) {
610        renderer.translate(properties().getLeft(), properties().getTop());
611    }
612    if (properties().getStaticMatrix()) {
613        renderer.concatMatrix(*properties().getStaticMatrix());
614    } else if (properties().getAnimationMatrix()) {
615        renderer.concatMatrix(*properties().getAnimationMatrix());
616    }
617    if (properties().hasTransformMatrix()) {
618        if (properties().isTransformTranslateOnly()) {
619            renderer.translate(properties().getTranslationX(), properties().getTranslationY());
620        } else {
621            renderer.concatMatrix(*properties().getTransformMatrix());
622        }
623    }
624    const bool isLayer = properties().effectiveLayerType() != LayerType::None;
625    int clipFlags = properties().getClippingFlags();
626    if (properties().getAlpha() < 1) {
627        if (isLayer) {
628            clipFlags &= ~CLIP_TO_BOUNDS; // bounds clipping done by layer
629        }
630        if (CC_LIKELY(isLayer || !properties().getHasOverlappingRendering())) {
631            // simply scale rendering content's alpha
632            renderer.scaleAlpha(properties().getAlpha());
633        } else {
634            // savelayer needed to create an offscreen buffer
635            Rect layerBounds(0, 0, getWidth(), getHeight());
636            if (clipFlags) {
637                properties().getClippingRectForFlags(clipFlags, &layerBounds);
638                clipFlags = 0; // all clipping done by savelayer
639            }
640            SaveLayerOp* op = new (handler.allocator()) SaveLayerOp(
641                    layerBounds.left, layerBounds.top,
642                    layerBounds.right, layerBounds.bottom,
643                    (int) (properties().getAlpha() * 255),
644                    SkCanvas::kHasAlphaLayer_SaveFlag | SkCanvas::kClipToLayer_SaveFlag);
645            handler(op, PROPERTY_SAVECOUNT, properties().getClipToBounds());
646        }
647
648        if (CC_UNLIKELY(ATRACE_ENABLED() && properties().promotedToLayer())) {
649            // pretend alpha always causes savelayer to warn about
650            // performance problem affecting old versions
651            ATRACE_FORMAT("%s alpha caused saveLayer %dx%d", getName(),
652                    static_cast<int>(getWidth()),
653                    static_cast<int>(getHeight()));
654        }
655    }
656    if (clipFlags) {
657        Rect clipRect;
658        properties().getClippingRectForFlags(clipFlags, &clipRect);
659        ClipRectOp* op = new (handler.allocator()) ClipRectOp(
660                clipRect.left, clipRect.top, clipRect.right, clipRect.bottom,
661                SkRegion::kIntersect_Op);
662        handler(op, PROPERTY_SAVECOUNT, properties().getClipToBounds());
663    }
664
665    // TODO: support nesting round rect clips
666    if (mProperties.getRevealClip().willClip()) {
667        Rect bounds;
668        mProperties.getRevealClip().getBounds(&bounds);
669        renderer.setClippingRoundRect(handler.allocator(), bounds, mProperties.getRevealClip().getRadius());
670    } else if (mProperties.getOutline().willClip()) {
671        renderer.setClippingOutline(handler.allocator(), &(mProperties.getOutline()));
672    }
673}
674
675/**
676 * Apply property-based transformations to input matrix
677 *
678 * If true3dTransform is set to true, the transform applied to the input matrix will use true 4x4
679 * matrix computation instead of the Skia 3x3 matrix + camera hackery.
680 */
681void RenderNode::applyViewPropertyTransforms(mat4& matrix, bool true3dTransform) const {
682    if (properties().getLeft() != 0 || properties().getTop() != 0) {
683        matrix.translate(properties().getLeft(), properties().getTop());
684    }
685    if (properties().getStaticMatrix()) {
686        mat4 stat(*properties().getStaticMatrix());
687        matrix.multiply(stat);
688    } else if (properties().getAnimationMatrix()) {
689        mat4 anim(*properties().getAnimationMatrix());
690        matrix.multiply(anim);
691    }
692
693    bool applyTranslationZ = true3dTransform && !MathUtils::isZero(properties().getZ());
694    if (properties().hasTransformMatrix() || applyTranslationZ) {
695        if (properties().isTransformTranslateOnly()) {
696            matrix.translate(properties().getTranslationX(), properties().getTranslationY(),
697                    true3dTransform ? properties().getZ() : 0.0f);
698        } else {
699            if (!true3dTransform) {
700                matrix.multiply(*properties().getTransformMatrix());
701            } else {
702                mat4 true3dMat;
703                true3dMat.loadTranslate(
704                        properties().getPivotX() + properties().getTranslationX(),
705                        properties().getPivotY() + properties().getTranslationY(),
706                        properties().getZ());
707                true3dMat.rotate(properties().getRotationX(), 1, 0, 0);
708                true3dMat.rotate(properties().getRotationY(), 0, 1, 0);
709                true3dMat.rotate(properties().getRotation(), 0, 0, 1);
710                true3dMat.scale(properties().getScaleX(), properties().getScaleY(), 1);
711                true3dMat.translate(-properties().getPivotX(), -properties().getPivotY());
712
713                matrix.multiply(true3dMat);
714            }
715        }
716    }
717}
718
719/**
720 * Organizes the DisplayList hierarchy to prepare for background projection reordering.
721 *
722 * This should be called before a call to defer() or drawDisplayList()
723 *
724 * Each DisplayList that serves as a 3d root builds its list of composited children,
725 * which are flagged to not draw in the standard draw loop.
726 */
727void RenderNode::computeOrdering() {
728#if !HWUI_NEW_OPS
729    ATRACE_CALL();
730    mProjectedNodes.clear();
731
732    // TODO: create temporary DDLOp and call computeOrderingImpl on top DisplayList so that
733    // transform properties are applied correctly to top level children
734    if (mDisplayList == nullptr) return;
735    for (unsigned int i = 0; i < mDisplayList->getChildren().size(); i++) {
736        DrawRenderNodeOp* childOp = mDisplayList->getChildren()[i];
737        childOp->renderNode->computeOrderingImpl(childOp, &mProjectedNodes, &mat4::identity());
738    }
739#endif
740}
741
742void RenderNode::computeOrderingImpl(
743        DrawRenderNodeOp* opState,
744        std::vector<DrawRenderNodeOp*>* compositedChildrenOfProjectionSurface,
745        const mat4* transformFromProjectionSurface) {
746#if !HWUI_NEW_OPS
747    mProjectedNodes.clear();
748    if (mDisplayList == nullptr || mDisplayList->isEmpty()) return;
749
750    // TODO: should avoid this calculation in most cases
751    // TODO: just calculate single matrix, down to all leaf composited elements
752    Matrix4 localTransformFromProjectionSurface(*transformFromProjectionSurface);
753    localTransformFromProjectionSurface.multiply(opState->mTransformFromParent);
754
755    if (properties().getProjectBackwards()) {
756        // composited projectee, flag for out of order draw, save matrix, and store in proj surface
757        opState->mSkipInOrderDraw = true;
758        opState->mTransformFromCompositingAncestor = localTransformFromProjectionSurface;
759        compositedChildrenOfProjectionSurface->push_back(opState);
760    } else {
761        // standard in order draw
762        opState->mSkipInOrderDraw = false;
763    }
764
765    if (mDisplayList->getChildren().size() > 0) {
766        const bool isProjectionReceiver = mDisplayList->projectionReceiveIndex >= 0;
767        bool haveAppliedPropertiesToProjection = false;
768        for (unsigned int i = 0; i < mDisplayList->getChildren().size(); i++) {
769            DrawRenderNodeOp* childOp = mDisplayList->getChildren()[i];
770            RenderNode* child = childOp->renderNode;
771
772            std::vector<DrawRenderNodeOp*>* projectionChildren = nullptr;
773            const mat4* projectionTransform = nullptr;
774            if (isProjectionReceiver && !child->properties().getProjectBackwards()) {
775                // if receiving projections, collect projecting descendant
776
777                // Note that if a direct descendant is projecting backwards, we pass its
778                // grandparent projection collection, since it shouldn't project onto its
779                // parent, where it will already be drawing.
780                projectionChildren = &mProjectedNodes;
781                projectionTransform = &mat4::identity();
782            } else {
783                if (!haveAppliedPropertiesToProjection) {
784                    applyViewPropertyTransforms(localTransformFromProjectionSurface);
785                    haveAppliedPropertiesToProjection = true;
786                }
787                projectionChildren = compositedChildrenOfProjectionSurface;
788                projectionTransform = &localTransformFromProjectionSurface;
789            }
790            child->computeOrderingImpl(childOp, projectionChildren, projectionTransform);
791        }
792    }
793#endif
794}
795
796class DeferOperationHandler {
797public:
798    DeferOperationHandler(DeferStateStruct& deferStruct, int level)
799        : mDeferStruct(deferStruct), mLevel(level) {}
800    inline void operator()(DisplayListOp* operation, int saveCount, bool clipToBounds) {
801        operation->defer(mDeferStruct, saveCount, mLevel, clipToBounds);
802    }
803    inline LinearAllocator& allocator() { return *(mDeferStruct.mAllocator); }
804    inline void startMark(const char* name) {} // do nothing
805    inline void endMark() {}
806    inline int level() { return mLevel; }
807    inline int replayFlags() { return mDeferStruct.mReplayFlags; }
808    inline SkPath* allocPathForFrame() { return mDeferStruct.allocPathForFrame(); }
809
810private:
811    DeferStateStruct& mDeferStruct;
812    const int mLevel;
813};
814
815void RenderNode::defer(DeferStateStruct& deferStruct, const int level) {
816    DeferOperationHandler handler(deferStruct, level);
817    issueOperations<DeferOperationHandler>(deferStruct.mRenderer, handler);
818}
819
820class ReplayOperationHandler {
821public:
822    ReplayOperationHandler(ReplayStateStruct& replayStruct, int level)
823        : mReplayStruct(replayStruct), mLevel(level) {}
824    inline void operator()(DisplayListOp* operation, int saveCount, bool clipToBounds) {
825#if DEBUG_DISPLAY_LIST_OPS_AS_EVENTS
826        mReplayStruct.mRenderer.eventMark(operation->name());
827#endif
828        operation->replay(mReplayStruct, saveCount, mLevel, clipToBounds);
829    }
830    inline LinearAllocator& allocator() { return *(mReplayStruct.mAllocator); }
831    inline void startMark(const char* name) {
832        mReplayStruct.mRenderer.startMark(name);
833    }
834    inline void endMark() {
835        mReplayStruct.mRenderer.endMark();
836    }
837    inline int level() { return mLevel; }
838    inline int replayFlags() { return mReplayStruct.mReplayFlags; }
839    inline SkPath* allocPathForFrame() { return mReplayStruct.allocPathForFrame(); }
840
841private:
842    ReplayStateStruct& mReplayStruct;
843    const int mLevel;
844};
845
846void RenderNode::replay(ReplayStateStruct& replayStruct, const int level) {
847    ReplayOperationHandler handler(replayStruct, level);
848    issueOperations<ReplayOperationHandler>(replayStruct.mRenderer, handler);
849}
850
851void RenderNode::buildZSortedChildList(const DisplayList::Chunk& chunk,
852        std::vector<ZDrawRenderNodeOpPair>& zTranslatedNodes) {
853#if !HWUI_NEW_OPS
854    if (chunk.beginChildIndex == chunk.endChildIndex) return;
855
856    for (unsigned int i = chunk.beginChildIndex; i < chunk.endChildIndex; i++) {
857        DrawRenderNodeOp* childOp = mDisplayList->getChildren()[i];
858        RenderNode* child = childOp->renderNode;
859        float childZ = child->properties().getZ();
860
861        if (!MathUtils::isZero(childZ) && chunk.reorderChildren) {
862            zTranslatedNodes.push_back(ZDrawRenderNodeOpPair(childZ, childOp));
863            childOp->mSkipInOrderDraw = true;
864        } else if (!child->properties().getProjectBackwards()) {
865            // regular, in order drawing DisplayList
866            childOp->mSkipInOrderDraw = false;
867        }
868    }
869
870    // Z sort any 3d children (stable-ness makes z compare fall back to standard drawing order)
871    std::stable_sort(zTranslatedNodes.begin(), zTranslatedNodes.end());
872#endif
873}
874
875template <class T>
876void RenderNode::issueDrawShadowOperation(const Matrix4& transformFromParent, T& handler) {
877    if (properties().getAlpha() <= 0.0f
878            || properties().getOutline().getAlpha() <= 0.0f
879            || !properties().getOutline().getPath()
880            || properties().getScaleX() == 0
881            || properties().getScaleY() == 0) {
882        // no shadow to draw
883        return;
884    }
885
886    mat4 shadowMatrixXY(transformFromParent);
887    applyViewPropertyTransforms(shadowMatrixXY);
888
889    // Z matrix needs actual 3d transformation, so mapped z values will be correct
890    mat4 shadowMatrixZ(transformFromParent);
891    applyViewPropertyTransforms(shadowMatrixZ, true);
892
893    const SkPath* casterOutlinePath = properties().getOutline().getPath();
894    const SkPath* revealClipPath = properties().getRevealClip().getPath();
895    if (revealClipPath && revealClipPath->isEmpty()) return;
896
897    float casterAlpha = properties().getAlpha() * properties().getOutline().getAlpha();
898
899
900    // holds temporary SkPath to store the result of intersections
901    SkPath* frameAllocatedPath = nullptr;
902    const SkPath* outlinePath = casterOutlinePath;
903
904    // intersect the outline with the reveal clip, if present
905    if (revealClipPath) {
906        frameAllocatedPath = handler.allocPathForFrame();
907
908        Op(*outlinePath, *revealClipPath, kIntersect_SkPathOp, frameAllocatedPath);
909        outlinePath = frameAllocatedPath;
910    }
911
912    // intersect the outline with the clipBounds, if present
913    if (properties().getClippingFlags() & CLIP_TO_CLIP_BOUNDS) {
914        if (!frameAllocatedPath) {
915            frameAllocatedPath = handler.allocPathForFrame();
916        }
917
918        Rect clipBounds;
919        properties().getClippingRectForFlags(CLIP_TO_CLIP_BOUNDS, &clipBounds);
920        SkPath clipBoundsPath;
921        clipBoundsPath.addRect(clipBounds.left, clipBounds.top,
922                clipBounds.right, clipBounds.bottom);
923
924        Op(*outlinePath, clipBoundsPath, kIntersect_SkPathOp, frameAllocatedPath);
925        outlinePath = frameAllocatedPath;
926    }
927
928    DisplayListOp* shadowOp  = new (handler.allocator()) DrawShadowOp(
929            shadowMatrixXY, shadowMatrixZ, casterAlpha, outlinePath);
930    handler(shadowOp, PROPERTY_SAVECOUNT, properties().getClipToBounds());
931}
932
933#define SHADOW_DELTA 0.1f
934
935template <class T>
936void RenderNode::issueOperationsOf3dChildren(ChildrenSelectMode mode,
937        const Matrix4& initialTransform, const std::vector<ZDrawRenderNodeOpPair>& zTranslatedNodes,
938        OpenGLRenderer& renderer, T& handler) {
939    const int size = zTranslatedNodes.size();
940    if (size == 0
941            || (mode == ChildrenSelectMode::NegativeZChildren && zTranslatedNodes[0].key > 0.0f)
942            || (mode == ChildrenSelectMode::PositiveZChildren && zTranslatedNodes[size - 1].key < 0.0f)) {
943        // no 3d children to draw
944        return;
945    }
946
947    // Apply the base transform of the parent of the 3d children. This isolates
948    // 3d children of the current chunk from transformations made in previous chunks.
949    int rootRestoreTo = renderer.save(SkCanvas::kMatrix_SaveFlag);
950    renderer.setGlobalMatrix(initialTransform);
951
952    /**
953     * Draw shadows and (potential) casters mostly in order, but allow the shadows of casters
954     * with very similar Z heights to draw together.
955     *
956     * This way, if Views A & B have the same Z height and are both casting shadows, the shadows are
957     * underneath both, and neither's shadow is drawn on top of the other.
958     */
959    const size_t nonNegativeIndex = findNonNegativeIndex(zTranslatedNodes);
960    size_t drawIndex, shadowIndex, endIndex;
961    if (mode == ChildrenSelectMode::NegativeZChildren) {
962        drawIndex = 0;
963        endIndex = nonNegativeIndex;
964        shadowIndex = endIndex; // draw no shadows
965    } else {
966        drawIndex = nonNegativeIndex;
967        endIndex = size;
968        shadowIndex = drawIndex; // potentially draw shadow for each pos Z child
969    }
970
971    DISPLAY_LIST_LOGD("%*s%d %s 3d children:", (handler.level() + 1) * 2, "",
972            endIndex - drawIndex, mode == kNegativeZChildren ? "negative" : "positive");
973
974    float lastCasterZ = 0.0f;
975    while (shadowIndex < endIndex || drawIndex < endIndex) {
976        if (shadowIndex < endIndex) {
977            DrawRenderNodeOp* casterOp = zTranslatedNodes[shadowIndex].value;
978            RenderNode* caster = casterOp->renderNode;
979            const float casterZ = zTranslatedNodes[shadowIndex].key;
980            // attempt to render the shadow if the caster about to be drawn is its caster,
981            // OR if its caster's Z value is similar to the previous potential caster
982            if (shadowIndex == drawIndex || casterZ - lastCasterZ < SHADOW_DELTA) {
983                caster->issueDrawShadowOperation(casterOp->mTransformFromParent, handler);
984
985                lastCasterZ = casterZ; // must do this even if current caster not casting a shadow
986                shadowIndex++;
987                continue;
988            }
989        }
990
991        // only the actual child DL draw needs to be in save/restore,
992        // since it modifies the renderer's matrix
993        int restoreTo = renderer.save(SkCanvas::kMatrix_SaveFlag);
994
995        DrawRenderNodeOp* childOp = zTranslatedNodes[drawIndex].value;
996
997        renderer.concatMatrix(childOp->mTransformFromParent);
998        childOp->mSkipInOrderDraw = false; // this is horrible, I'm so sorry everyone
999        handler(childOp, renderer.getSaveCount() - 1, properties().getClipToBounds());
1000        childOp->mSkipInOrderDraw = true;
1001
1002        renderer.restoreToCount(restoreTo);
1003        drawIndex++;
1004    }
1005    renderer.restoreToCount(rootRestoreTo);
1006}
1007
1008template <class T>
1009void RenderNode::issueOperationsOfProjectedChildren(OpenGLRenderer& renderer, T& handler) {
1010    DISPLAY_LIST_LOGD("%*s%d projected children:", (handler.level() + 1) * 2, "", mProjectedNodes.size());
1011    const SkPath* projectionReceiverOutline = properties().getOutline().getPath();
1012    int restoreTo = renderer.getSaveCount();
1013
1014    LinearAllocator& alloc = handler.allocator();
1015    handler(new (alloc) SaveOp(SkCanvas::kMatrix_SaveFlag | SkCanvas::kClip_SaveFlag),
1016            PROPERTY_SAVECOUNT, properties().getClipToBounds());
1017
1018    // Transform renderer to match background we're projecting onto
1019    // (by offsetting canvas by translationX/Y of background rendernode, since only those are set)
1020    const DisplayListOp* op =
1021#if HWUI_NEW_OPS
1022            nullptr;
1023    LOG_ALWAYS_FATAL("unsupported");
1024#else
1025            (mDisplayList->getOps()[mDisplayList->projectionReceiveIndex]);
1026#endif
1027    const DrawRenderNodeOp* backgroundOp = reinterpret_cast<const DrawRenderNodeOp*>(op);
1028    const RenderProperties& backgroundProps = backgroundOp->renderNode->properties();
1029    renderer.translate(backgroundProps.getTranslationX(), backgroundProps.getTranslationY());
1030
1031    // If the projection receiver has an outline, we mask projected content to it
1032    // (which we know, apriori, are all tessellated paths)
1033    renderer.setProjectionPathMask(alloc, projectionReceiverOutline);
1034
1035    // draw projected nodes
1036    for (size_t i = 0; i < mProjectedNodes.size(); i++) {
1037        DrawRenderNodeOp* childOp = mProjectedNodes[i];
1038
1039        // matrix save, concat, and restore can be done safely without allocating operations
1040        int restoreTo = renderer.save(SkCanvas::kMatrix_SaveFlag);
1041        renderer.concatMatrix(childOp->mTransformFromCompositingAncestor);
1042        childOp->mSkipInOrderDraw = false; // this is horrible, I'm so sorry everyone
1043        handler(childOp, renderer.getSaveCount() - 1, properties().getClipToBounds());
1044        childOp->mSkipInOrderDraw = true;
1045        renderer.restoreToCount(restoreTo);
1046    }
1047
1048    handler(new (alloc) RestoreToCountOp(restoreTo),
1049            PROPERTY_SAVECOUNT, properties().getClipToBounds());
1050}
1051
1052/**
1053 * This function serves both defer and replay modes, and will organize the displayList's component
1054 * operations for a single frame:
1055 *
1056 * Every 'simple' state operation that affects just the matrix and alpha (or other factors of
1057 * DeferredDisplayState) may be issued directly to the renderer, but complex operations (with custom
1058 * defer logic) and operations in displayListOps are issued through the 'handler' which handles the
1059 * defer vs replay logic, per operation
1060 */
1061template <class T>
1062void RenderNode::issueOperations(OpenGLRenderer& renderer, T& handler) {
1063    if (mDisplayList->isEmpty()) {
1064        DISPLAY_LIST_LOGD("%*sEmpty display list (%p, %s)", handler.level() * 2, "",
1065                this, getName());
1066        return;
1067    }
1068
1069#if HWUI_NEW_OPS
1070    const bool drawLayer = false;
1071#else
1072    const bool drawLayer = (mLayer && (&renderer != mLayer->renderer.get()));
1073#endif
1074    // If we are updating the contents of mLayer, we don't want to apply any of
1075    // the RenderNode's properties to this issueOperations pass. Those will all
1076    // be applied when the layer is drawn, aka when this is true.
1077    const bool useViewProperties = (!mLayer || drawLayer);
1078    if (useViewProperties) {
1079        const Outline& outline = properties().getOutline();
1080        if (properties().getAlpha() <= 0
1081                || (outline.getShouldClip() && outline.isEmpty())
1082                || properties().getScaleX() == 0
1083                || properties().getScaleY() == 0) {
1084            DISPLAY_LIST_LOGD("%*sRejected display list (%p, %s)", handler.level() * 2, "",
1085                    this, getName());
1086            return;
1087        }
1088    }
1089
1090    handler.startMark(getName());
1091
1092#if DEBUG_DISPLAY_LIST
1093    const Rect& clipRect = renderer.getLocalClipBounds();
1094    DISPLAY_LIST_LOGD("%*sStart display list (%p, %s), localClipBounds: %.0f, %.0f, %.0f, %.0f",
1095            handler.level() * 2, "", this, getName(),
1096            clipRect.left, clipRect.top, clipRect.right, clipRect.bottom);
1097#endif
1098
1099    LinearAllocator& alloc = handler.allocator();
1100    int restoreTo = renderer.getSaveCount();
1101    handler(new (alloc) SaveOp(SkCanvas::kMatrix_SaveFlag | SkCanvas::kClip_SaveFlag),
1102            PROPERTY_SAVECOUNT, properties().getClipToBounds());
1103
1104    DISPLAY_LIST_LOGD("%*sSave %d %d", (handler.level() + 1) * 2, "",
1105            SkCanvas::kMatrix_SaveFlag | SkCanvas::kClip_SaveFlag, restoreTo);
1106
1107    if (useViewProperties) {
1108        setViewProperties<T>(renderer, handler);
1109    }
1110
1111#if HWUI_NEW_OPS
1112    LOG_ALWAYS_FATAL("legacy op traversal not supported");
1113#else
1114    bool quickRejected = properties().getClipToBounds()
1115            && renderer.quickRejectConservative(0, 0, properties().getWidth(), properties().getHeight());
1116    if (!quickRejected) {
1117        Matrix4 initialTransform(*(renderer.currentTransform()));
1118        renderer.setBaseTransform(initialTransform);
1119
1120        if (drawLayer) {
1121            handler(new (alloc) DrawLayerOp(mLayer),
1122                    renderer.getSaveCount() - 1, properties().getClipToBounds());
1123        } else {
1124            const int saveCountOffset = renderer.getSaveCount() - 1;
1125            const int projectionReceiveIndex = mDisplayList->projectionReceiveIndex;
1126            for (size_t chunkIndex = 0; chunkIndex < mDisplayList->getChunks().size(); chunkIndex++) {
1127                const DisplayList::Chunk& chunk = mDisplayList->getChunks()[chunkIndex];
1128
1129                std::vector<ZDrawRenderNodeOpPair> zTranslatedNodes;
1130                buildZSortedChildList(chunk, zTranslatedNodes);
1131
1132                issueOperationsOf3dChildren(ChildrenSelectMode::NegativeZChildren,
1133                        initialTransform, zTranslatedNodes, renderer, handler);
1134
1135                for (size_t opIndex = chunk.beginOpIndex; opIndex < chunk.endOpIndex; opIndex++) {
1136                    DisplayListOp *op = mDisplayList->getOps()[opIndex];
1137#if DEBUG_DISPLAY_LIST
1138                    op->output(handler.level() + 1);
1139#endif
1140                    handler(op, saveCountOffset, properties().getClipToBounds());
1141
1142                    if (CC_UNLIKELY(!mProjectedNodes.empty() && projectionReceiveIndex >= 0 &&
1143                        opIndex == static_cast<size_t>(projectionReceiveIndex))) {
1144                        issueOperationsOfProjectedChildren(renderer, handler);
1145                    }
1146                }
1147
1148                issueOperationsOf3dChildren(ChildrenSelectMode::PositiveZChildren,
1149                        initialTransform, zTranslatedNodes, renderer, handler);
1150            }
1151        }
1152    }
1153#endif
1154
1155    DISPLAY_LIST_LOGD("%*sRestoreToCount %d", (handler.level() + 1) * 2, "", restoreTo);
1156    handler(new (alloc) RestoreToCountOp(restoreTo),
1157            PROPERTY_SAVECOUNT, properties().getClipToBounds());
1158
1159    DISPLAY_LIST_LOGD("%*sDone (%p, %s)", handler.level() * 2, "", this, getName());
1160    handler.endMark();
1161}
1162
1163} /* namespace uirenderer */
1164} /* namespace android */
1165