DisplayListOp.h revision c5b5f0556b542a22f01d254e6284f69e9eb23e74
1/*
2 * Copyright (C) 2013 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#ifndef ANDROID_HWUI_DISPLAY_OPERATION_H
18#define ANDROID_HWUI_DISPLAY_OPERATION_H
19
20#ifndef LOG_TAG
21    #define LOG_TAG "OpenGLRenderer"
22#endif
23
24#include <SkColor.h>
25#include <SkPath.h>
26#include <SkPathOps.h>
27#include <SkXfermode.h>
28
29#include <private/hwui/DrawGlInfo.h>
30
31#include "OpenGLRenderer.h"
32#include "AssetAtlas.h"
33#include "DeferredDisplayList.h"
34#include "DisplayListRenderer.h"
35#include "UvMapper.h"
36#include "utils/LinearAllocator.h"
37
38#define CRASH() do { \
39    *(int *)(uintptr_t) 0xbbadbeef = 0; \
40    ((void(*)())0)(); /* More reliable, but doesn't say BBADBEEF */ \
41} while(false)
42
43// Use OP_LOG for logging with arglist, OP_LOGS if just printing char*
44#define OP_LOGS(s) OP_LOG("%s", (s))
45#define OP_LOG(s, ...) ALOGD( "%*s" s, level * 2, "", __VA_ARGS__ )
46
47namespace android {
48namespace uirenderer {
49
50/**
51 * Structure for storing canvas operations when they are recorded into a DisplayList, so that they
52 * may be replayed to an OpenGLRenderer.
53 *
54 * To avoid individual memory allocations, DisplayListOps may only be allocated into a
55 * LinearAllocator's managed memory buffers.  Each pointer held by a DisplayListOp is either a
56 * pointer into memory also allocated in the LinearAllocator (mostly for text and float buffers) or
57 * references a externally refcounted object (Sk... and Skia... objects). ~DisplayListOp() is
58 * never called as LinearAllocators are simply discarded, so no memory management should be done in
59 * this class.
60 */
61class DisplayListOp {
62public:
63    // These objects should always be allocated with a LinearAllocator, and never destroyed/deleted.
64    // standard new() intentionally not implemented, and delete/deconstructor should never be used.
65    virtual ~DisplayListOp() { CRASH(); }
66    static void operator delete(void* ptr) { CRASH(); }
67    /** static void* operator new(size_t size); PURPOSELY OMITTED **/
68    static void* operator new(size_t size, LinearAllocator& allocator) {
69        return allocator.alloc(size);
70    }
71
72    enum OpLogFlag {
73        kOpLogFlag_Recurse = 0x1,
74        kOpLogFlag_JSON = 0x2 // TODO: add?
75    };
76
77    virtual void defer(DeferStateStruct& deferStruct, int saveCount, int level,
78            bool useQuickReject) = 0;
79
80    virtual void replay(ReplayStateStruct& replayStruct, int saveCount, int level,
81            bool useQuickReject) = 0;
82
83    virtual void output(int level, uint32_t logFlags = 0) const = 0;
84
85    // NOTE: it would be nice to declare constants and overriding the implementation in each op to
86    // point at the constants, but that seems to require a .cpp file
87    virtual const char* name() = 0;
88};
89
90class StateOp : public DisplayListOp {
91public:
92    StateOp() {};
93
94    virtual ~StateOp() {}
95
96    virtual void defer(DeferStateStruct& deferStruct, int saveCount, int level,
97            bool useQuickReject) {
98        // default behavior only affects immediate, deferrable state, issue directly to renderer
99        applyState(deferStruct.mRenderer, saveCount);
100    }
101
102    /**
103     * State operations are applied directly to the renderer, but can cause the deferred drawing op
104     * list to flush
105     */
106    virtual void replay(ReplayStateStruct& replayStruct, int saveCount, int level,
107            bool useQuickReject) {
108        applyState(replayStruct.mRenderer, saveCount);
109    }
110
111    virtual void applyState(OpenGLRenderer& renderer, int saveCount) const = 0;
112};
113
114class DrawOp : public DisplayListOp {
115friend class MergingDrawBatch;
116public:
117    DrawOp(const SkPaint* paint)
118            : mPaint(paint), mQuickRejected(false) {}
119
120    virtual void defer(DeferStateStruct& deferStruct, int saveCount, int level,
121            bool useQuickReject) {
122        if (mQuickRejected && CC_LIKELY(useQuickReject)) {
123            return;
124        }
125
126        deferStruct.mDeferredList.addDrawOp(deferStruct.mRenderer, this);
127    }
128
129    virtual void replay(ReplayStateStruct& replayStruct, int saveCount, int level,
130            bool useQuickReject) {
131        if (mQuickRejected && CC_LIKELY(useQuickReject)) {
132            return;
133        }
134
135        replayStruct.mDrawGlStatus |= applyDraw(replayStruct.mRenderer, replayStruct.mDirty);
136    }
137
138    virtual status_t applyDraw(OpenGLRenderer& renderer, Rect& dirty) = 0;
139
140    /**
141     * Draw multiple instances of an operation, must be overidden for operations that merge
142     *
143     * Currently guarantees certain similarities between ops (see MergingDrawBatch::canMergeWith),
144     * and pure translation transformations. Other guarantees of similarity should be enforced by
145     * reducing which operations are tagged as mergeable.
146     */
147    virtual status_t multiDraw(OpenGLRenderer& renderer, Rect& dirty,
148            const Vector<OpStatePair>& ops, const Rect& bounds) {
149        status_t status = DrawGlInfo::kStatusDone;
150        for (unsigned int i = 0; i < ops.size(); i++) {
151            renderer.restoreDisplayState(*(ops[i].state), true);
152            status |= ops[i].op->applyDraw(renderer, dirty);
153        }
154        return status;
155    }
156
157    /**
158     * When this method is invoked the state field is initialized to have the
159     * final rendering state. We can thus use it to process data as it will be
160     * used at draw time.
161     *
162     * Additionally, this method allows subclasses to provide defer-time preferences for batching
163     * and merging.
164     *
165     * if a subclass can set deferInfo.mergeable to true, it should implement multiDraw()
166     */
167    virtual void onDefer(OpenGLRenderer& renderer, DeferInfo& deferInfo,
168            const DeferredDisplayState& state) {}
169
170    /**
171     * Query the conservative, local bounds (unmapped) bounds of the op.
172     *
173     * returns true if bounds exist
174     */
175    virtual bool getLocalBounds(Rect& localBounds) {
176        return false;
177    }
178
179    // TODO: better refine localbounds usage
180    void setQuickRejected(bool quickRejected) { mQuickRejected = quickRejected; }
181    bool getQuickRejected() { return mQuickRejected; }
182
183    inline int getPaintAlpha() const {
184        return OpenGLRenderer::getAlphaDirect(mPaint);
185    }
186
187    virtual bool hasTextShadow() const {
188        return false;
189    }
190
191    inline float strokeWidthOutset() {
192        // since anything AA stroke with less than 1.0 pixel width is drawn with an alpha-reduced
193        // 1.0 stroke, treat 1.0 as minimum.
194
195        // TODO: it would be nice if this could take scale into account, but scale isn't stable
196        // since higher levels of the view hierarchy can change scale out from underneath it.
197        return fmaxf(mPaint->getStrokeWidth(), 1) * 0.5f;
198    }
199
200protected:
201    const SkPaint* getPaint(OpenGLRenderer& renderer) {
202        return renderer.filterPaint(mPaint);
203    }
204
205    // Helper method for determining op opaqueness. Assumes op fills its bounds in local
206    // coordinates, and that paint's alpha is used
207    inline bool isOpaqueOverBounds(const DeferredDisplayState& state) {
208        // ensure that local bounds cover mapped bounds
209        if (!state.mMatrix.isSimple()) return false;
210
211        if (state.mRoundRectClipState) return false;
212
213        // check state/paint for transparency
214        if (mPaint) {
215            if (mPaint->getAlpha() != 0xFF) {
216                return false;
217            }
218            if (mPaint->getShader() && !mPaint->getShader()->isOpaque()) {
219                return false;
220            }
221            if (Renderer::isBlendedColorFilter(mPaint->getColorFilter())) {
222                return false;
223            }
224        }
225
226        if (state.mAlpha != 1.0f) return false;
227
228        SkXfermode::Mode mode = OpenGLRenderer::getXfermodeDirect(mPaint);
229        return (mode == SkXfermode::kSrcOver_Mode ||
230                mode == SkXfermode::kSrc_Mode);
231
232    }
233
234    const SkPaint* mPaint; // should be accessed via getPaint() when applying
235    bool mQuickRejected;
236};
237
238class DrawBoundedOp : public DrawOp {
239public:
240    DrawBoundedOp(float left, float top, float right, float bottom, const SkPaint* paint)
241            : DrawOp(paint), mLocalBounds(left, top, right, bottom) {}
242
243    DrawBoundedOp(const Rect& localBounds, const SkPaint* paint)
244            : DrawOp(paint), mLocalBounds(localBounds) {}
245
246    // Calculates bounds as smallest rect encompassing all points
247    // NOTE: requires at least 1 vertex, and doesn't account for stroke size (should be handled in
248    // subclass' constructor)
249    DrawBoundedOp(const float* points, int count, const SkPaint* paint)
250            : DrawOp(paint), mLocalBounds(points[0], points[1], points[0], points[1]) {
251        for (int i = 2; i < count; i += 2) {
252            mLocalBounds.left = fminf(mLocalBounds.left, points[i]);
253            mLocalBounds.right = fmaxf(mLocalBounds.right, points[i]);
254            mLocalBounds.top = fminf(mLocalBounds.top, points[i + 1]);
255            mLocalBounds.bottom = fmaxf(mLocalBounds.bottom, points[i + 1]);
256        }
257    }
258
259    // default empty constructor for bounds, to be overridden in child constructor body
260    DrawBoundedOp(const SkPaint* paint): DrawOp(paint) { }
261
262    virtual bool getLocalBounds(Rect& localBounds) {
263        localBounds.set(mLocalBounds);
264        OpenGLRenderer::TextShadow textShadow;
265        if (OpenGLRenderer::getTextShadow(mPaint, &textShadow)) {
266            Rect shadow(mLocalBounds);
267            shadow.translate(textShadow.dx, textShadow.dx);
268            shadow.outset(textShadow.radius);
269            localBounds.unionWith(shadow);
270        }
271        return true;
272    }
273
274protected:
275    Rect mLocalBounds; // displayed area in LOCAL coord. doesn't incorporate stroke, so check paint
276};
277
278///////////////////////////////////////////////////////////////////////////////
279// STATE OPERATIONS - these may affect the state of the canvas/renderer, but do
280//         not directly draw or alter output
281///////////////////////////////////////////////////////////////////////////////
282
283class SaveOp : public StateOp {
284public:
285    SaveOp(int flags)
286            : mFlags(flags) {}
287
288    virtual void defer(DeferStateStruct& deferStruct, int saveCount, int level,
289            bool useQuickReject) {
290        int newSaveCount = deferStruct.mRenderer.save(mFlags);
291        deferStruct.mDeferredList.addSave(deferStruct.mRenderer, this, newSaveCount);
292    }
293
294    virtual void applyState(OpenGLRenderer& renderer, int saveCount) const {
295        renderer.save(mFlags);
296    }
297
298    virtual void output(int level, uint32_t logFlags) const {
299        OP_LOG("Save flags %x", mFlags);
300    }
301
302    virtual const char* name() { return "Save"; }
303
304    int getFlags() const { return mFlags; }
305private:
306    int mFlags;
307};
308
309class RestoreToCountOp : public StateOp {
310public:
311    RestoreToCountOp(int count)
312            : mCount(count) {}
313
314    virtual void defer(DeferStateStruct& deferStruct, int saveCount, int level,
315            bool useQuickReject) {
316        deferStruct.mDeferredList.addRestoreToCount(deferStruct.mRenderer,
317                this, saveCount + mCount);
318        deferStruct.mRenderer.restoreToCount(saveCount + mCount);
319    }
320
321    virtual void applyState(OpenGLRenderer& renderer, int saveCount) const {
322        renderer.restoreToCount(saveCount + mCount);
323    }
324
325    virtual void output(int level, uint32_t logFlags) const {
326        OP_LOG("Restore to count %d", mCount);
327    }
328
329    virtual const char* name() { return "RestoreToCount"; }
330
331private:
332    int mCount;
333};
334
335class SaveLayerOp : public StateOp {
336public:
337    SaveLayerOp(float left, float top, float right, float bottom, int alpha, int flags)
338            : mArea(left, top, right, bottom)
339            , mPaint(&mCachedPaint)
340            , mFlags(flags)
341            , mConvexMask(NULL) {
342        mCachedPaint.setAlpha(alpha);
343    }
344
345    SaveLayerOp(float left, float top, float right, float bottom, const SkPaint* paint, int flags)
346            : mArea(left, top, right, bottom)
347            , mPaint(paint)
348            , mFlags(flags)
349            , mConvexMask(NULL)
350    {}
351
352    virtual void defer(DeferStateStruct& deferStruct, int saveCount, int level,
353            bool useQuickReject) {
354        // NOTE: don't bother with actual saveLayer, instead issuing it at flush time
355        int newSaveCount = deferStruct.mRenderer.getSaveCount();
356        deferStruct.mDeferredList.addSaveLayer(deferStruct.mRenderer, this, newSaveCount);
357
358        // NOTE: don't issue full saveLayer, since that has side effects/is costly. instead just
359        // setup the snapshot for deferral, and re-issue the op at flush time
360        deferStruct.mRenderer.saveLayerDeferred(mArea.left, mArea.top, mArea.right, mArea.bottom,
361                mPaint, mFlags);
362    }
363
364    virtual void applyState(OpenGLRenderer& renderer, int saveCount) const {
365        renderer.saveLayer(mArea.left, mArea.top, mArea.right, mArea.bottom,
366                mPaint, mFlags, mConvexMask);
367    }
368
369    virtual void output(int level, uint32_t logFlags) const {
370        OP_LOG("SaveLayer%s of area " RECT_STRING,
371                (isSaveLayerAlpha() ? "Alpha" : ""),RECT_ARGS(mArea));
372    }
373
374    virtual const char* name() { return isSaveLayerAlpha() ? "SaveLayerAlpha" : "SaveLayer"; }
375
376    int getFlags() { return mFlags; }
377
378    // Called to make SaveLayerOp clip to the provided mask when drawing back/restored
379    void setMask(const SkPath* convexMask) {
380        mConvexMask = convexMask;
381    }
382
383private:
384    bool isSaveLayerAlpha() const {
385        SkXfermode::Mode mode = OpenGLRenderer::getXfermodeDirect(mPaint);
386        int alpha = OpenGLRenderer::getAlphaDirect(mPaint);
387        return alpha < 255 && mode == SkXfermode::kSrcOver_Mode;
388    }
389
390    Rect mArea;
391    const SkPaint* mPaint;
392    SkPaint mCachedPaint;
393    int mFlags;
394
395    // Convex path, points at data in RenderNode, valid for the duration of the frame only
396    // Only used for masking the SaveLayer which wraps projected RenderNodes
397    const SkPath* mConvexMask;
398};
399
400class TranslateOp : public StateOp {
401public:
402    TranslateOp(float dx, float dy)
403            : mDx(dx), mDy(dy) {}
404
405    virtual void applyState(OpenGLRenderer& renderer, int saveCount) const {
406        renderer.translate(mDx, mDy);
407    }
408
409    virtual void output(int level, uint32_t logFlags) const {
410        OP_LOG("Translate by %f %f", mDx, mDy);
411    }
412
413    virtual const char* name() { return "Translate"; }
414
415private:
416    float mDx;
417    float mDy;
418};
419
420class RotateOp : public StateOp {
421public:
422    RotateOp(float degrees)
423            : mDegrees(degrees) {}
424
425    virtual void applyState(OpenGLRenderer& renderer, int saveCount) const {
426        renderer.rotate(mDegrees);
427    }
428
429    virtual void output(int level, uint32_t logFlags) const {
430        OP_LOG("Rotate by %f degrees", mDegrees);
431    }
432
433    virtual const char* name() { return "Rotate"; }
434
435private:
436    float mDegrees;
437};
438
439class ScaleOp : public StateOp {
440public:
441    ScaleOp(float sx, float sy)
442            : mSx(sx), mSy(sy) {}
443
444    virtual void applyState(OpenGLRenderer& renderer, int saveCount) const {
445        renderer.scale(mSx, mSy);
446    }
447
448    virtual void output(int level, uint32_t logFlags) const {
449        OP_LOG("Scale by %f %f", mSx, mSy);
450    }
451
452    virtual const char* name() { return "Scale"; }
453
454private:
455    float mSx;
456    float mSy;
457};
458
459class SkewOp : public StateOp {
460public:
461    SkewOp(float sx, float sy)
462            : mSx(sx), mSy(sy) {}
463
464    virtual void applyState(OpenGLRenderer& renderer, int saveCount) const {
465        renderer.skew(mSx, mSy);
466    }
467
468    virtual void output(int level, uint32_t logFlags) const {
469        OP_LOG("Skew by %f %f", mSx, mSy);
470    }
471
472    virtual const char* name() { return "Skew"; }
473
474private:
475    float mSx;
476    float mSy;
477};
478
479class SetMatrixOp : public StateOp {
480public:
481    SetMatrixOp(const SkMatrix& matrix)
482            : mMatrix(matrix) {}
483
484    virtual void applyState(OpenGLRenderer& renderer, int saveCount) const {
485        renderer.setMatrix(mMatrix);
486    }
487
488    virtual void output(int level, uint32_t logFlags) const {
489        if (mMatrix.isIdentity()) {
490            OP_LOGS("SetMatrix (reset)");
491        } else {
492            OP_LOG("SetMatrix " SK_MATRIX_STRING, SK_MATRIX_ARGS(&mMatrix));
493        }
494    }
495
496    virtual const char* name() { return "SetMatrix"; }
497
498private:
499    const SkMatrix mMatrix;
500};
501
502class ConcatMatrixOp : public StateOp {
503public:
504    ConcatMatrixOp(const SkMatrix& matrix)
505            : mMatrix(matrix) {}
506
507    virtual void applyState(OpenGLRenderer& renderer, int saveCount) const {
508        renderer.concatMatrix(mMatrix);
509    }
510
511    virtual void output(int level, uint32_t logFlags) const {
512        OP_LOG("ConcatMatrix " SK_MATRIX_STRING, SK_MATRIX_ARGS(&mMatrix));
513    }
514
515    virtual const char* name() { return "ConcatMatrix"; }
516
517private:
518    const SkMatrix mMatrix;
519};
520
521class ClipOp : public StateOp {
522public:
523    ClipOp(SkRegion::Op op) : mOp(op) {}
524
525    virtual void defer(DeferStateStruct& deferStruct, int saveCount, int level,
526            bool useQuickReject) {
527        // NOTE: must defer op BEFORE applying state, since it may read clip
528        deferStruct.mDeferredList.addClip(deferStruct.mRenderer, this);
529
530        // TODO: Can we avoid applying complex clips at defer time?
531        applyState(deferStruct.mRenderer, saveCount);
532    }
533
534    bool canCauseComplexClip() {
535        return ((mOp != SkRegion::kIntersect_Op) && (mOp != SkRegion::kReplace_Op)) || !isRect();
536    }
537
538protected:
539    virtual bool isRect() { return false; }
540
541    SkRegion::Op mOp;
542};
543
544class ClipRectOp : public ClipOp {
545public:
546    ClipRectOp(float left, float top, float right, float bottom, SkRegion::Op op)
547            : ClipOp(op), mArea(left, top, right, bottom) {}
548
549    virtual void applyState(OpenGLRenderer& renderer, int saveCount) const {
550        renderer.clipRect(mArea.left, mArea.top, mArea.right, mArea.bottom, mOp);
551    }
552
553    virtual void output(int level, uint32_t logFlags) const {
554        OP_LOG("ClipRect " RECT_STRING, RECT_ARGS(mArea));
555    }
556
557    virtual const char* name() { return "ClipRect"; }
558
559protected:
560    virtual bool isRect() { return true; }
561
562private:
563    Rect mArea;
564};
565
566class ClipPathOp : public ClipOp {
567public:
568    ClipPathOp(const SkPath* path, SkRegion::Op op)
569            : ClipOp(op), mPath(path) {}
570
571    virtual void applyState(OpenGLRenderer& renderer, int saveCount) const {
572        renderer.clipPath(mPath, mOp);
573    }
574
575    virtual void output(int level, uint32_t logFlags) const {
576        SkRect bounds = mPath->getBounds();
577        OP_LOG("ClipPath bounds " RECT_STRING,
578                bounds.left(), bounds.top(), bounds.right(), bounds.bottom());
579    }
580
581    virtual const char* name() { return "ClipPath"; }
582
583private:
584    const SkPath* mPath;
585};
586
587class ClipRegionOp : public ClipOp {
588public:
589    ClipRegionOp(const SkRegion* region, SkRegion::Op op)
590            : ClipOp(op), mRegion(region) {}
591
592    virtual void applyState(OpenGLRenderer& renderer, int saveCount) const {
593        renderer.clipRegion(mRegion, mOp);
594    }
595
596    virtual void output(int level, uint32_t logFlags) const {
597        SkIRect bounds = mRegion->getBounds();
598        OP_LOG("ClipRegion bounds %d %d %d %d",
599                bounds.left(), bounds.top(), bounds.right(), bounds.bottom());
600    }
601
602    virtual const char* name() { return "ClipRegion"; }
603
604private:
605    const SkRegion* mRegion;
606};
607
608class ResetPaintFilterOp : public StateOp {
609public:
610    virtual void applyState(OpenGLRenderer& renderer, int saveCount) const {
611        renderer.resetPaintFilter();
612    }
613
614    virtual void output(int level, uint32_t logFlags) const {
615        OP_LOGS("ResetPaintFilter");
616    }
617
618    virtual const char* name() { return "ResetPaintFilter"; }
619};
620
621class SetupPaintFilterOp : public StateOp {
622public:
623    SetupPaintFilterOp(int clearBits, int setBits)
624            : mClearBits(clearBits), mSetBits(setBits) {}
625
626    virtual void applyState(OpenGLRenderer& renderer, int saveCount) const {
627        renderer.setupPaintFilter(mClearBits, mSetBits);
628    }
629
630    virtual void output(int level, uint32_t logFlags) const {
631        OP_LOG("SetupPaintFilter, clear %#x, set %#x", mClearBits, mSetBits);
632    }
633
634    virtual const char* name() { return "SetupPaintFilter"; }
635
636private:
637    int mClearBits;
638    int mSetBits;
639};
640
641///////////////////////////////////////////////////////////////////////////////
642// DRAW OPERATIONS - these are operations that can draw to the canvas's device
643///////////////////////////////////////////////////////////////////////////////
644
645class DrawBitmapOp : public DrawBoundedOp {
646public:
647    DrawBitmapOp(const SkBitmap* bitmap, const SkPaint* paint)
648            : DrawBoundedOp(0, 0, bitmap->width(), bitmap->height(), paint)
649            , mBitmap(bitmap)
650            , mAtlas(Caches::getInstance().assetAtlas) {
651        mEntry = mAtlas.getEntry(bitmap);
652        if (mEntry) {
653            mEntryGenerationId = mAtlas.getGenerationId();
654            mUvMapper = mEntry->uvMapper;
655        }
656    }
657
658    virtual status_t applyDraw(OpenGLRenderer& renderer, Rect& dirty) {
659        return renderer.drawBitmap(mBitmap, getPaint(renderer));
660    }
661
662    AssetAtlas::Entry* getAtlasEntry() {
663        // The atlas entry is stale, let's get a new one
664        if (mEntry && mEntryGenerationId != mAtlas.getGenerationId()) {
665            mEntryGenerationId = mAtlas.getGenerationId();
666            mEntry = mAtlas.getEntry(mBitmap);
667            mUvMapper = mEntry->uvMapper;
668        }
669        return mEntry;
670    }
671
672#define SET_TEXTURE(ptr, posRect, offsetRect, texCoordsRect, xDim, yDim) \
673    TextureVertex::set(ptr++, posRect.xDim - offsetRect.left, posRect.yDim - offsetRect.top, \
674            texCoordsRect.xDim, texCoordsRect.yDim)
675
676    /**
677     * This multi-draw operation builds a mesh on the stack by generating a quad
678     * for each bitmap in the batch. This method is also responsible for dirtying
679     * the current layer, if any.
680     */
681    virtual status_t multiDraw(OpenGLRenderer& renderer, Rect& dirty,
682            const Vector<OpStatePair>& ops, const Rect& bounds) {
683        const DeferredDisplayState& firstState = *(ops[0].state);
684        renderer.restoreDisplayState(firstState, true); // restore all but the clip
685
686        TextureVertex vertices[6 * ops.size()];
687        TextureVertex* vertex = &vertices[0];
688
689        const bool hasLayer = renderer.hasLayer();
690        bool pureTranslate = true;
691
692        // TODO: manually handle rect clip for bitmaps by adjusting texCoords per op,
693        // and allowing them to be merged in getBatchId()
694        for (unsigned int i = 0; i < ops.size(); i++) {
695            const DeferredDisplayState& state = *(ops[i].state);
696            const Rect& opBounds = state.mBounds;
697            // When we reach multiDraw(), the matrix can be either
698            // pureTranslate or simple (translate and/or scale).
699            // If the matrix is not pureTranslate, then we have a scale
700            pureTranslate &= state.mMatrix.isPureTranslate();
701
702            Rect texCoords(0, 0, 1, 1);
703            ((DrawBitmapOp*) ops[i].op)->mUvMapper.map(texCoords);
704
705            SET_TEXTURE(vertex, opBounds, bounds, texCoords, left, top);
706            SET_TEXTURE(vertex, opBounds, bounds, texCoords, right, top);
707            SET_TEXTURE(vertex, opBounds, bounds, texCoords, left, bottom);
708
709            SET_TEXTURE(vertex, opBounds, bounds, texCoords, left, bottom);
710            SET_TEXTURE(vertex, opBounds, bounds, texCoords, right, top);
711            SET_TEXTURE(vertex, opBounds, bounds, texCoords, right, bottom);
712
713            if (hasLayer) {
714                renderer.dirtyLayer(opBounds.left, opBounds.top, opBounds.right, opBounds.bottom);
715            }
716        }
717
718        return renderer.drawBitmaps(mBitmap, mEntry, ops.size(), &vertices[0],
719                pureTranslate, bounds, mPaint);
720    }
721
722    virtual void output(int level, uint32_t logFlags) const {
723        OP_LOG("Draw bitmap %p at %f %f", mBitmap, mLocalBounds.left, mLocalBounds.top);
724    }
725
726    virtual const char* name() { return "DrawBitmap"; }
727
728    virtual void onDefer(OpenGLRenderer& renderer, DeferInfo& deferInfo,
729            const DeferredDisplayState& state) {
730        deferInfo.batchId = DeferredDisplayList::kOpBatch_Bitmap;
731        deferInfo.mergeId = getAtlasEntry() ?
732                (mergeid_t) mEntry->getMergeId() : (mergeid_t) mBitmap;
733
734        // Don't merge non-simply transformed or neg scale ops, SET_TEXTURE doesn't handle rotation
735        // Don't merge A8 bitmaps - the paint's color isn't compared by mergeId, or in
736        // MergingDrawBatch::canMergeWith()
737        // TODO: support clipped bitmaps by handling them in SET_TEXTURE
738        deferInfo.mergeable = state.mMatrix.isSimple() && state.mMatrix.positiveScale() &&
739                !state.mClipSideFlags &&
740                OpenGLRenderer::getXfermodeDirect(mPaint) == SkXfermode::kSrcOver_Mode &&
741                (mBitmap->colorType() != kAlpha_8_SkColorType);
742    }
743
744    const SkBitmap* bitmap() { return mBitmap; }
745protected:
746    const SkBitmap* mBitmap;
747    const AssetAtlas& mAtlas;
748    uint32_t mEntryGenerationId;
749    AssetAtlas::Entry* mEntry;
750    UvMapper mUvMapper;
751};
752
753class DrawBitmapRectOp : public DrawBoundedOp {
754public:
755    DrawBitmapRectOp(const SkBitmap* bitmap,
756            float srcLeft, float srcTop, float srcRight, float srcBottom,
757            float dstLeft, float dstTop, float dstRight, float dstBottom, const SkPaint* paint)
758            : DrawBoundedOp(dstLeft, dstTop, dstRight, dstBottom, paint),
759            mBitmap(bitmap), mSrc(srcLeft, srcTop, srcRight, srcBottom) {}
760
761    virtual status_t applyDraw(OpenGLRenderer& renderer, Rect& dirty) {
762        return renderer.drawBitmap(mBitmap, mSrc.left, mSrc.top, mSrc.right, mSrc.bottom,
763                mLocalBounds.left, mLocalBounds.top, mLocalBounds.right, mLocalBounds.bottom,
764                getPaint(renderer));
765    }
766
767    virtual void output(int level, uint32_t logFlags) const {
768        OP_LOG("Draw bitmap %p src=" RECT_STRING ", dst=" RECT_STRING,
769                mBitmap, RECT_ARGS(mSrc), RECT_ARGS(mLocalBounds));
770    }
771
772    virtual const char* name() { return "DrawBitmapRect"; }
773
774    virtual void onDefer(OpenGLRenderer& renderer, DeferInfo& deferInfo,
775            const DeferredDisplayState& state) {
776        deferInfo.batchId = DeferredDisplayList::kOpBatch_Bitmap;
777    }
778
779private:
780    const SkBitmap* mBitmap;
781    Rect mSrc;
782};
783
784class DrawBitmapDataOp : public DrawBitmapOp {
785public:
786    DrawBitmapDataOp(const SkBitmap* bitmap, const SkPaint* paint)
787            : DrawBitmapOp(bitmap, paint) {}
788
789    virtual status_t applyDraw(OpenGLRenderer& renderer, Rect& dirty) {
790        return renderer.drawBitmapData(mBitmap, getPaint(renderer));
791    }
792
793    virtual void output(int level, uint32_t logFlags) const {
794        OP_LOG("Draw bitmap %p", mBitmap);
795    }
796
797    virtual const char* name() { return "DrawBitmapData"; }
798
799    virtual void onDefer(OpenGLRenderer& renderer, DeferInfo& deferInfo,
800            const DeferredDisplayState& state) {
801        deferInfo.batchId = DeferredDisplayList::kOpBatch_Bitmap;
802    }
803};
804
805class DrawBitmapMeshOp : public DrawBoundedOp {
806public:
807    DrawBitmapMeshOp(const SkBitmap* bitmap, int meshWidth, int meshHeight,
808            const float* vertices, const int* colors, const SkPaint* paint)
809            : DrawBoundedOp(vertices, 2 * (meshWidth + 1) * (meshHeight + 1), paint),
810            mBitmap(bitmap), mMeshWidth(meshWidth), mMeshHeight(meshHeight),
811            mVertices(vertices), mColors(colors) {}
812
813    virtual status_t applyDraw(OpenGLRenderer& renderer, Rect& dirty) {
814        return renderer.drawBitmapMesh(mBitmap, mMeshWidth, mMeshHeight,
815                mVertices, mColors, getPaint(renderer));
816    }
817
818    virtual void output(int level, uint32_t logFlags) const {
819        OP_LOG("Draw bitmap %p mesh %d x %d", mBitmap, mMeshWidth, mMeshHeight);
820    }
821
822    virtual const char* name() { return "DrawBitmapMesh"; }
823
824    virtual void onDefer(OpenGLRenderer& renderer, DeferInfo& deferInfo,
825            const DeferredDisplayState& state) {
826        deferInfo.batchId = DeferredDisplayList::kOpBatch_Bitmap;
827    }
828
829private:
830    const SkBitmap* mBitmap;
831    int mMeshWidth;
832    int mMeshHeight;
833    const float* mVertices;
834    const int* mColors;
835};
836
837class DrawPatchOp : public DrawBoundedOp {
838public:
839    DrawPatchOp(const SkBitmap* bitmap, const Res_png_9patch* patch,
840            float left, float top, float right, float bottom, const SkPaint* paint)
841            : DrawBoundedOp(left, top, right, bottom, paint),
842            mBitmap(bitmap), mPatch(patch), mGenerationId(0), mMesh(NULL),
843            mAtlas(Caches::getInstance().assetAtlas) {
844        mEntry = mAtlas.getEntry(bitmap);
845        if (mEntry) {
846            mEntryGenerationId = mAtlas.getGenerationId();
847        }
848    };
849
850    AssetAtlas::Entry* getAtlasEntry() {
851        // The atlas entry is stale, let's get a new one
852        if (mEntry && mEntryGenerationId != mAtlas.getGenerationId()) {
853            mEntryGenerationId = mAtlas.getGenerationId();
854            mEntry = mAtlas.getEntry(mBitmap);
855        }
856        return mEntry;
857    }
858
859    const Patch* getMesh(OpenGLRenderer& renderer) {
860        if (!mMesh || renderer.getCaches().patchCache.getGenerationId() != mGenerationId) {
861            PatchCache& cache = renderer.getCaches().patchCache;
862            mMesh = cache.get(getAtlasEntry(), mBitmap->width(), mBitmap->height(),
863                    mLocalBounds.getWidth(), mLocalBounds.getHeight(), mPatch);
864            mGenerationId = cache.getGenerationId();
865        }
866        return mMesh;
867    }
868
869    /**
870     * This multi-draw operation builds an indexed mesh on the stack by copying
871     * and transforming the vertices of each 9-patch in the batch. This method
872     * is also responsible for dirtying the current layer, if any.
873     */
874    virtual status_t multiDraw(OpenGLRenderer& renderer, Rect& dirty,
875            const Vector<OpStatePair>& ops, const Rect& bounds) {
876        const DeferredDisplayState& firstState = *(ops[0].state);
877        renderer.restoreDisplayState(firstState, true); // restore all but the clip
878
879        // Batches will usually contain a small number of items so it's
880        // worth performing a first iteration to count the exact number
881        // of vertices we need in the new mesh
882        uint32_t totalVertices = 0;
883        for (unsigned int i = 0; i < ops.size(); i++) {
884            totalVertices += ((DrawPatchOp*) ops[i].op)->getMesh(renderer)->verticesCount;
885        }
886
887        const bool hasLayer = renderer.hasLayer();
888
889        uint32_t indexCount = 0;
890
891        TextureVertex vertices[totalVertices];
892        TextureVertex* vertex = &vertices[0];
893
894        // Create a mesh that contains the transformed vertices for all the
895        // 9-patch objects that are part of the batch. Note that onDefer()
896        // enforces ops drawn by this function to have a pure translate or
897        // identity matrix
898        for (unsigned int i = 0; i < ops.size(); i++) {
899            DrawPatchOp* patchOp = (DrawPatchOp*) ops[i].op;
900            const DeferredDisplayState* state = ops[i].state;
901            const Patch* opMesh = patchOp->getMesh(renderer);
902            uint32_t vertexCount = opMesh->verticesCount;
903            if (vertexCount == 0) continue;
904
905            // We use the bounds to know where to translate our vertices
906            // Using patchOp->state.mBounds wouldn't work because these
907            // bounds are clipped
908            const float tx = (int) floorf(state->mMatrix.getTranslateX() +
909                    patchOp->mLocalBounds.left + 0.5f);
910            const float ty = (int) floorf(state->mMatrix.getTranslateY() +
911                    patchOp->mLocalBounds.top + 0.5f);
912
913            // Copy & transform all the vertices for the current operation
914            TextureVertex* opVertices = opMesh->vertices;
915            for (uint32_t j = 0; j < vertexCount; j++, opVertices++) {
916                TextureVertex::set(vertex++,
917                        opVertices->x + tx, opVertices->y + ty,
918                        opVertices->u, opVertices->v);
919            }
920
921            // Dirty the current layer if possible. When the 9-patch does not
922            // contain empty quads we can take a shortcut and simply set the
923            // dirty rect to the object's bounds.
924            if (hasLayer) {
925                if (!opMesh->hasEmptyQuads) {
926                    renderer.dirtyLayer(tx, ty,
927                            tx + patchOp->mLocalBounds.getWidth(),
928                            ty + patchOp->mLocalBounds.getHeight());
929                } else {
930                    const size_t count = opMesh->quads.size();
931                    for (size_t i = 0; i < count; i++) {
932                        const Rect& quadBounds = opMesh->quads[i];
933                        const float x = tx + quadBounds.left;
934                        const float y = ty + quadBounds.top;
935                        renderer.dirtyLayer(x, y,
936                                x + quadBounds.getWidth(), y + quadBounds.getHeight());
937                    }
938                }
939            }
940
941            indexCount += opMesh->indexCount;
942        }
943
944        return renderer.drawPatches(mBitmap, getAtlasEntry(),
945                &vertices[0], indexCount, getPaint(renderer));
946    }
947
948    virtual status_t applyDraw(OpenGLRenderer& renderer, Rect& dirty) {
949        // We're not calling the public variant of drawPatch() here
950        // This method won't perform the quickReject() since we've already done it at this point
951        return renderer.drawPatch(mBitmap, getMesh(renderer), getAtlasEntry(),
952                mLocalBounds.left, mLocalBounds.top, mLocalBounds.right, mLocalBounds.bottom,
953                getPaint(renderer));
954    }
955
956    virtual void output(int level, uint32_t logFlags) const {
957        OP_LOG("Draw patch " RECT_STRING, RECT_ARGS(mLocalBounds));
958    }
959
960    virtual const char* name() { return "DrawPatch"; }
961
962    virtual void onDefer(OpenGLRenderer& renderer, DeferInfo& deferInfo,
963            const DeferredDisplayState& state) {
964        deferInfo.batchId = DeferredDisplayList::kOpBatch_Patch;
965        deferInfo.mergeId = getAtlasEntry() ? (mergeid_t) mEntry->getMergeId() : (mergeid_t) mBitmap;
966        deferInfo.mergeable = state.mMatrix.isPureTranslate() &&
967                OpenGLRenderer::getXfermodeDirect(mPaint) == SkXfermode::kSrcOver_Mode;
968        deferInfo.opaqueOverBounds = isOpaqueOverBounds(state) && mBitmap->isOpaque();
969    }
970
971private:
972    const SkBitmap* mBitmap;
973    const Res_png_9patch* mPatch;
974
975    uint32_t mGenerationId;
976    const Patch* mMesh;
977
978    const AssetAtlas& mAtlas;
979    uint32_t mEntryGenerationId;
980    AssetAtlas::Entry* mEntry;
981};
982
983class DrawColorOp : public DrawOp {
984public:
985    DrawColorOp(int color, SkXfermode::Mode mode)
986            : DrawOp(NULL), mColor(color), mMode(mode) {};
987
988    virtual status_t applyDraw(OpenGLRenderer& renderer, Rect& dirty) {
989        return renderer.drawColor(mColor, mMode);
990    }
991
992    virtual void output(int level, uint32_t logFlags) const {
993        OP_LOG("Draw color %#x, mode %d", mColor, mMode);
994    }
995
996    virtual const char* name() { return "DrawColor"; }
997
998private:
999    int mColor;
1000    SkXfermode::Mode mMode;
1001};
1002
1003class DrawStrokableOp : public DrawBoundedOp {
1004public:
1005    DrawStrokableOp(float left, float top, float right, float bottom, const SkPaint* paint)
1006            : DrawBoundedOp(left, top, right, bottom, paint) {};
1007    DrawStrokableOp(const Rect& localBounds, const SkPaint* paint)
1008            : DrawBoundedOp(localBounds, paint) {};
1009
1010    virtual bool getLocalBounds(Rect& localBounds) {
1011        localBounds.set(mLocalBounds);
1012        if (mPaint && mPaint->getStyle() != SkPaint::kFill_Style) {
1013            localBounds.outset(strokeWidthOutset());
1014        }
1015        return true;
1016    }
1017
1018    virtual void onDefer(OpenGLRenderer& renderer, DeferInfo& deferInfo,
1019            const DeferredDisplayState& state) {
1020        if (mPaint->getPathEffect()) {
1021            deferInfo.batchId = DeferredDisplayList::kOpBatch_AlphaMaskTexture;
1022        } else {
1023            deferInfo.batchId = mPaint->isAntiAlias() ?
1024                    DeferredDisplayList::kOpBatch_AlphaVertices :
1025                    DeferredDisplayList::kOpBatch_Vertices;
1026        }
1027    }
1028};
1029
1030class DrawRectOp : public DrawStrokableOp {
1031public:
1032    DrawRectOp(float left, float top, float right, float bottom, const SkPaint* paint)
1033            : DrawStrokableOp(left, top, right, bottom, paint) {}
1034
1035    virtual status_t applyDraw(OpenGLRenderer& renderer, Rect& dirty) {
1036        return renderer.drawRect(mLocalBounds.left, mLocalBounds.top,
1037                mLocalBounds.right, mLocalBounds.bottom, getPaint(renderer));
1038    }
1039
1040    virtual void output(int level, uint32_t logFlags) const {
1041        OP_LOG("Draw Rect " RECT_STRING, RECT_ARGS(mLocalBounds));
1042    }
1043
1044    virtual void onDefer(OpenGLRenderer& renderer, DeferInfo& deferInfo,
1045            const DeferredDisplayState& state) {
1046        DrawStrokableOp::onDefer(renderer, deferInfo, state);
1047        deferInfo.opaqueOverBounds = isOpaqueOverBounds(state) &&
1048                mPaint->getStyle() == SkPaint::kFill_Style;
1049    }
1050
1051    virtual const char* name() { return "DrawRect"; }
1052};
1053
1054class DrawRectsOp : public DrawBoundedOp {
1055public:
1056    DrawRectsOp(const float* rects, int count, const SkPaint* paint)
1057            : DrawBoundedOp(rects, count, paint),
1058            mRects(rects), mCount(count) {}
1059
1060    virtual status_t applyDraw(OpenGLRenderer& renderer, Rect& dirty) {
1061        return renderer.drawRects(mRects, mCount, getPaint(renderer));
1062    }
1063
1064    virtual void output(int level, uint32_t logFlags) const {
1065        OP_LOG("Draw Rects count %d", mCount);
1066    }
1067
1068    virtual const char* name() { return "DrawRects"; }
1069
1070    virtual void onDefer(OpenGLRenderer& renderer, DeferInfo& deferInfo,
1071            const DeferredDisplayState& state) {
1072        deferInfo.batchId = DeferredDisplayList::kOpBatch_Vertices;
1073    }
1074
1075private:
1076    const float* mRects;
1077    int mCount;
1078};
1079
1080class DrawRoundRectOp : public DrawStrokableOp {
1081public:
1082    DrawRoundRectOp(float left, float top, float right, float bottom,
1083            float rx, float ry, const SkPaint* paint)
1084            : DrawStrokableOp(left, top, right, bottom, paint), mRx(rx), mRy(ry) {}
1085
1086    virtual status_t applyDraw(OpenGLRenderer& renderer, Rect& dirty) {
1087        return renderer.drawRoundRect(mLocalBounds.left, mLocalBounds.top,
1088                mLocalBounds.right, mLocalBounds.bottom, mRx, mRy, getPaint(renderer));
1089    }
1090
1091    virtual void output(int level, uint32_t logFlags) const {
1092        OP_LOG("Draw RoundRect " RECT_STRING ", rx %f, ry %f", RECT_ARGS(mLocalBounds), mRx, mRy);
1093    }
1094
1095    virtual void onDefer(OpenGLRenderer& renderer, DeferInfo& deferInfo,
1096            const DeferredDisplayState& state) {
1097        DrawStrokableOp::onDefer(renderer, deferInfo, state);
1098        if (!mPaint->getPathEffect()) {
1099            renderer.getCaches().tessellationCache.precacheRoundRect(state.mMatrix, *mPaint,
1100                    mLocalBounds.getWidth(), mLocalBounds.getHeight(), mRx, mRy);
1101        }
1102    }
1103
1104    virtual const char* name() { return "DrawRoundRect"; }
1105
1106private:
1107    float mRx;
1108    float mRy;
1109};
1110
1111class DrawRoundRectPropsOp : public DrawOp {
1112public:
1113    DrawRoundRectPropsOp(float* left, float* top, float* right, float* bottom,
1114            float *rx, float *ry, const SkPaint* paint)
1115            : DrawOp(paint), mLeft(left), mTop(top), mRight(right), mBottom(bottom),
1116            mRx(rx), mRy(ry) {}
1117
1118    virtual status_t applyDraw(OpenGLRenderer& renderer, Rect& dirty) {
1119        return renderer.drawRoundRect(*mLeft, *mTop, *mRight, *mBottom,
1120                *mRx, *mRy, getPaint(renderer));
1121    }
1122
1123    virtual void output(int level, uint32_t logFlags) const {
1124        OP_LOG("Draw RoundRect Props " RECT_STRING ", rx %f, ry %f",
1125                *mLeft, *mTop, *mRight, *mBottom, *mRx, *mRy);
1126    }
1127
1128    virtual const char* name() { return "DrawRoundRectProps"; }
1129
1130private:
1131    float* mLeft;
1132    float* mTop;
1133    float* mRight;
1134    float* mBottom;
1135    float* mRx;
1136    float* mRy;
1137};
1138
1139class DrawCircleOp : public DrawStrokableOp {
1140public:
1141    DrawCircleOp(float x, float y, float radius, const SkPaint* paint)
1142            : DrawStrokableOp(x - radius, y - radius, x + radius, y + radius, paint),
1143            mX(x), mY(y), mRadius(radius) {}
1144
1145    virtual status_t applyDraw(OpenGLRenderer& renderer, Rect& dirty) {
1146        return renderer.drawCircle(mX, mY, mRadius, getPaint(renderer));
1147    }
1148
1149    virtual void output(int level, uint32_t logFlags) const {
1150        OP_LOG("Draw Circle x %f, y %f, r %f", mX, mY, mRadius);
1151    }
1152
1153    virtual const char* name() { return "DrawCircle"; }
1154
1155private:
1156    float mX;
1157    float mY;
1158    float mRadius;
1159};
1160
1161class DrawCirclePropsOp : public DrawOp {
1162public:
1163    DrawCirclePropsOp(float* x, float* y, float* radius, const SkPaint* paint)
1164            : DrawOp(paint), mX(x), mY(y), mRadius(radius) {}
1165
1166    virtual status_t applyDraw(OpenGLRenderer& renderer, Rect& dirty) {
1167        return renderer.drawCircle(*mX, *mY, *mRadius, getPaint(renderer));
1168    }
1169
1170    virtual void output(int level, uint32_t logFlags) const {
1171        OP_LOG("Draw Circle Props x %p, y %p, r %p", mX, mY, mRadius);
1172    }
1173
1174    virtual const char* name() { return "DrawCircleProps"; }
1175
1176private:
1177    float* mX;
1178    float* mY;
1179    float* mRadius;
1180};
1181
1182class DrawOvalOp : public DrawStrokableOp {
1183public:
1184    DrawOvalOp(float left, float top, float right, float bottom, const SkPaint* paint)
1185            : DrawStrokableOp(left, top, right, bottom, paint) {}
1186
1187    virtual status_t applyDraw(OpenGLRenderer& renderer, Rect& dirty) {
1188        return renderer.drawOval(mLocalBounds.left, mLocalBounds.top,
1189                mLocalBounds.right, mLocalBounds.bottom, getPaint(renderer));
1190    }
1191
1192    virtual void output(int level, uint32_t logFlags) const {
1193        OP_LOG("Draw Oval " RECT_STRING, RECT_ARGS(mLocalBounds));
1194    }
1195
1196    virtual const char* name() { return "DrawOval"; }
1197};
1198
1199class DrawArcOp : public DrawStrokableOp {
1200public:
1201    DrawArcOp(float left, float top, float right, float bottom,
1202            float startAngle, float sweepAngle, bool useCenter, const SkPaint* paint)
1203            : DrawStrokableOp(left, top, right, bottom, paint),
1204            mStartAngle(startAngle), mSweepAngle(sweepAngle), mUseCenter(useCenter) {}
1205
1206    virtual status_t applyDraw(OpenGLRenderer& renderer, Rect& dirty) {
1207        return renderer.drawArc(mLocalBounds.left, mLocalBounds.top,
1208                mLocalBounds.right, mLocalBounds.bottom,
1209                mStartAngle, mSweepAngle, mUseCenter, getPaint(renderer));
1210    }
1211
1212    virtual void output(int level, uint32_t logFlags) const {
1213        OP_LOG("Draw Arc " RECT_STRING ", start %f, sweep %f, useCenter %d",
1214                RECT_ARGS(mLocalBounds), mStartAngle, mSweepAngle, mUseCenter);
1215    }
1216
1217    virtual const char* name() { return "DrawArc"; }
1218
1219private:
1220    float mStartAngle;
1221    float mSweepAngle;
1222    bool mUseCenter;
1223};
1224
1225class DrawPathOp : public DrawBoundedOp {
1226public:
1227    DrawPathOp(const SkPath* path, const SkPaint* paint)
1228            : DrawBoundedOp(paint), mPath(path) {
1229        float left, top, offset;
1230        uint32_t width, height;
1231        PathCache::computePathBounds(path, paint, left, top, offset, width, height);
1232        left -= offset;
1233        top -= offset;
1234        mLocalBounds.set(left, top, left + width, top + height);
1235    }
1236
1237    virtual status_t applyDraw(OpenGLRenderer& renderer, Rect& dirty) {
1238        return renderer.drawPath(mPath, getPaint(renderer));
1239    }
1240
1241    virtual void onDefer(OpenGLRenderer& renderer, DeferInfo& deferInfo,
1242            const DeferredDisplayState& state) {
1243        const SkPaint* paint = getPaint(renderer);
1244        renderer.getCaches().pathCache.precache(mPath, paint);
1245
1246        deferInfo.batchId = DeferredDisplayList::kOpBatch_AlphaMaskTexture;
1247    }
1248
1249    virtual void output(int level, uint32_t logFlags) const {
1250        OP_LOG("Draw Path %p in " RECT_STRING, mPath, RECT_ARGS(mLocalBounds));
1251    }
1252
1253    virtual const char* name() { return "DrawPath"; }
1254
1255private:
1256    const SkPath* mPath;
1257};
1258
1259class DrawLinesOp : public DrawBoundedOp {
1260public:
1261    DrawLinesOp(const float* points, int count, const SkPaint* paint)
1262            : DrawBoundedOp(points, count, paint),
1263            mPoints(points), mCount(count) {
1264        mLocalBounds.outset(strokeWidthOutset());
1265    }
1266
1267    virtual status_t applyDraw(OpenGLRenderer& renderer, Rect& dirty) {
1268        return renderer.drawLines(mPoints, mCount, getPaint(renderer));
1269    }
1270
1271    virtual void output(int level, uint32_t logFlags) const {
1272        OP_LOG("Draw Lines count %d", mCount);
1273    }
1274
1275    virtual const char* name() { return "DrawLines"; }
1276
1277    virtual void onDefer(OpenGLRenderer& renderer, DeferInfo& deferInfo,
1278            const DeferredDisplayState& state) {
1279        deferInfo.batchId = mPaint->isAntiAlias() ?
1280                DeferredDisplayList::kOpBatch_AlphaVertices :
1281                DeferredDisplayList::kOpBatch_Vertices;
1282    }
1283
1284protected:
1285    const float* mPoints;
1286    int mCount;
1287};
1288
1289class DrawPointsOp : public DrawLinesOp {
1290public:
1291    DrawPointsOp(const float* points, int count, const SkPaint* paint)
1292            : DrawLinesOp(points, count, paint) {}
1293
1294    virtual status_t applyDraw(OpenGLRenderer& renderer, Rect& dirty) {
1295        return renderer.drawPoints(mPoints, mCount, getPaint(renderer));
1296    }
1297
1298    virtual void output(int level, uint32_t logFlags) const {
1299        OP_LOG("Draw Points count %d", mCount);
1300    }
1301
1302    virtual const char* name() { return "DrawPoints"; }
1303};
1304
1305class DrawSomeTextOp : public DrawOp {
1306public:
1307    DrawSomeTextOp(const char* text, int bytesCount, int count, const SkPaint* paint)
1308            : DrawOp(paint), mText(text), mBytesCount(bytesCount), mCount(count) {};
1309
1310    virtual void output(int level, uint32_t logFlags) const {
1311        OP_LOG("Draw some text, %d bytes", mBytesCount);
1312    }
1313
1314    virtual bool hasTextShadow() const {
1315        return OpenGLRenderer::hasTextShadow(mPaint);
1316    }
1317
1318    virtual void onDefer(OpenGLRenderer& renderer, DeferInfo& deferInfo,
1319            const DeferredDisplayState& state) {
1320        const SkPaint* paint = getPaint(renderer);
1321        FontRenderer& fontRenderer = renderer.getCaches().fontRenderer->getFontRenderer(paint);
1322        fontRenderer.precache(paint, mText, mCount, SkMatrix::I());
1323
1324        deferInfo.batchId = mPaint->getColor() == SK_ColorBLACK ?
1325                DeferredDisplayList::kOpBatch_Text :
1326                DeferredDisplayList::kOpBatch_ColorText;
1327    }
1328
1329protected:
1330    const char* mText;
1331    int mBytesCount;
1332    int mCount;
1333};
1334
1335class DrawTextOnPathOp : public DrawSomeTextOp {
1336public:
1337    DrawTextOnPathOp(const char* text, int bytesCount, int count,
1338            const SkPath* path, float hOffset, float vOffset, const SkPaint* paint)
1339            : DrawSomeTextOp(text, bytesCount, count, paint),
1340            mPath(path), mHOffset(hOffset), mVOffset(vOffset) {
1341        /* TODO: inherit from DrawBounded and init mLocalBounds */
1342    }
1343
1344    virtual status_t applyDraw(OpenGLRenderer& renderer, Rect& dirty) {
1345        return renderer.drawTextOnPath(mText, mBytesCount, mCount, mPath,
1346                mHOffset, mVOffset, getPaint(renderer));
1347    }
1348
1349    virtual const char* name() { return "DrawTextOnPath"; }
1350
1351private:
1352    const SkPath* mPath;
1353    float mHOffset;
1354    float mVOffset;
1355};
1356
1357class DrawPosTextOp : public DrawSomeTextOp {
1358public:
1359    DrawPosTextOp(const char* text, int bytesCount, int count,
1360            const float* positions, const SkPaint* paint)
1361            : DrawSomeTextOp(text, bytesCount, count, paint), mPositions(positions) {
1362        /* TODO: inherit from DrawBounded and init mLocalBounds */
1363    }
1364
1365    virtual status_t applyDraw(OpenGLRenderer& renderer, Rect& dirty) {
1366        return renderer.drawPosText(mText, mBytesCount, mCount, mPositions, getPaint(renderer));
1367    }
1368
1369    virtual const char* name() { return "DrawPosText"; }
1370
1371private:
1372    const float* mPositions;
1373};
1374
1375class DrawTextOp : public DrawStrokableOp {
1376public:
1377    DrawTextOp(const char* text, int bytesCount, int count, float x, float y,
1378            const float* positions, const SkPaint* paint, float totalAdvance, const Rect& bounds)
1379            : DrawStrokableOp(bounds, paint), mText(text), mBytesCount(bytesCount), mCount(count),
1380            mX(x), mY(y), mPositions(positions), mTotalAdvance(totalAdvance) {
1381        mPrecacheTransform = SkMatrix::InvalidMatrix();
1382    }
1383
1384    virtual void onDefer(OpenGLRenderer& renderer, DeferInfo& deferInfo,
1385            const DeferredDisplayState& state) {
1386        const SkPaint* paint = getPaint(renderer);
1387        FontRenderer& fontRenderer = renderer.getCaches().fontRenderer->getFontRenderer(paint);
1388        SkMatrix transform;
1389        renderer.findBestFontTransform(state.mMatrix, &transform);
1390        if (mPrecacheTransform != transform) {
1391            fontRenderer.precache(paint, mText, mCount, transform);
1392            mPrecacheTransform = transform;
1393        }
1394        deferInfo.batchId = mPaint->getColor() == SK_ColorBLACK ?
1395                DeferredDisplayList::kOpBatch_Text :
1396                DeferredDisplayList::kOpBatch_ColorText;
1397
1398        deferInfo.mergeId = reinterpret_cast<mergeid_t>(mPaint->getColor());
1399
1400        // don't merge decorated text - the decorations won't draw in order
1401        bool hasDecorations = mPaint->getFlags()
1402                & (SkPaint::kUnderlineText_Flag | SkPaint::kStrikeThruText_Flag);
1403
1404        deferInfo.mergeable = state.mMatrix.isPureTranslate()
1405                && !hasDecorations
1406                && OpenGLRenderer::getXfermodeDirect(mPaint) == SkXfermode::kSrcOver_Mode;
1407    }
1408
1409    virtual status_t applyDraw(OpenGLRenderer& renderer, Rect& dirty) {
1410        Rect bounds;
1411        getLocalBounds(bounds);
1412        return renderer.drawText(mText, mBytesCount, mCount, mX, mY,
1413                mPositions, getPaint(renderer), mTotalAdvance, bounds);
1414    }
1415
1416    virtual status_t multiDraw(OpenGLRenderer& renderer, Rect& dirty,
1417            const Vector<OpStatePair>& ops, const Rect& bounds) {
1418        status_t status = DrawGlInfo::kStatusDone;
1419        for (unsigned int i = 0; i < ops.size(); i++) {
1420            const DeferredDisplayState& state = *(ops[i].state);
1421            DrawOpMode drawOpMode = (i == ops.size() - 1) ? kDrawOpMode_Flush : kDrawOpMode_Defer;
1422            renderer.restoreDisplayState(state, true); // restore all but the clip
1423
1424            DrawTextOp& op = *((DrawTextOp*)ops[i].op);
1425            // quickReject() will not occure in drawText() so we can use mLocalBounds
1426            // directly, we do not need to account for shadow by calling getLocalBounds()
1427            status |= renderer.drawText(op.mText, op.mBytesCount, op.mCount, op.mX, op.mY,
1428                    op.mPositions, op.getPaint(renderer), op.mTotalAdvance, op.mLocalBounds,
1429                    drawOpMode);
1430        }
1431        return status;
1432    }
1433
1434    virtual void output(int level, uint32_t logFlags) const {
1435        OP_LOG("Draw Text of count %d, bytes %d", mCount, mBytesCount);
1436    }
1437
1438    virtual const char* name() { return "DrawText"; }
1439
1440private:
1441    const char* mText;
1442    int mBytesCount;
1443    int mCount;
1444    float mX;
1445    float mY;
1446    const float* mPositions;
1447    float mTotalAdvance;
1448    SkMatrix mPrecacheTransform;
1449};
1450
1451///////////////////////////////////////////////////////////////////////////////
1452// SPECIAL DRAW OPERATIONS
1453///////////////////////////////////////////////////////////////////////////////
1454
1455class DrawFunctorOp : public DrawOp {
1456public:
1457    DrawFunctorOp(Functor* functor)
1458            : DrawOp(NULL), mFunctor(functor) {}
1459
1460    virtual status_t applyDraw(OpenGLRenderer& renderer, Rect& dirty) {
1461        renderer.startMark("GL functor");
1462        status_t ret = renderer.callDrawGLFunction(mFunctor, dirty);
1463        renderer.endMark();
1464        return ret;
1465    }
1466
1467    virtual void output(int level, uint32_t logFlags) const {
1468        OP_LOG("Draw Functor %p", mFunctor);
1469    }
1470
1471    virtual const char* name() { return "DrawFunctor"; }
1472
1473private:
1474    Functor* mFunctor;
1475};
1476
1477class DrawRenderNodeOp : public DrawBoundedOp {
1478    friend class RenderNode; // grant RenderNode access to info of child
1479    friend class DisplayListData; // grant DisplayListData access to info of child
1480public:
1481    DrawRenderNodeOp(RenderNode* renderNode, int flags, const mat4& transformFromParent)
1482            : DrawBoundedOp(0, 0, renderNode->getWidth(), renderNode->getHeight(), 0),
1483            mRenderNode(renderNode), mFlags(flags), mTransformFromParent(transformFromParent) {}
1484
1485    virtual void defer(DeferStateStruct& deferStruct, int saveCount, int level,
1486            bool useQuickReject) {
1487        if (mRenderNode->isRenderable() && !mSkipInOrderDraw) {
1488            mRenderNode->defer(deferStruct, level + 1);
1489        }
1490    }
1491
1492    virtual void replay(ReplayStateStruct& replayStruct, int saveCount, int level,
1493            bool useQuickReject) {
1494        if (mRenderNode->isRenderable() && !mSkipInOrderDraw) {
1495            mRenderNode->replay(replayStruct, level + 1);
1496        }
1497    }
1498
1499    virtual status_t applyDraw(OpenGLRenderer& renderer, Rect& dirty) {
1500        LOG_ALWAYS_FATAL("should not be called, because replay() is overridden");
1501        return 0;
1502    }
1503
1504    virtual void output(int level, uint32_t logFlags) const {
1505        OP_LOG("Draw RenderNode %p %s, flags %#x", mRenderNode, mRenderNode->getName(), mFlags);
1506        if (mRenderNode && (logFlags & kOpLogFlag_Recurse)) {
1507            mRenderNode->output(level + 1);
1508        }
1509    }
1510
1511    virtual const char* name() { return "DrawRenderNode"; }
1512
1513    RenderNode* renderNode() { return mRenderNode; }
1514
1515private:
1516    RenderNode* mRenderNode;
1517    const int mFlags;
1518
1519    ///////////////////////////
1520    // Properties below are used by RenderNode::computeOrderingImpl() and issueOperations()
1521    ///////////////////////////
1522    /**
1523     * Records transform vs parent, used for computing total transform without rerunning DL contents
1524     */
1525    const mat4 mTransformFromParent;
1526
1527    /**
1528     * Holds the transformation between the projection surface ViewGroup and this RenderNode
1529     * drawing instance. Represents any translations / transformations done within the drawing of
1530     * the compositing ancestor ViewGroup's draw, before the draw of the View represented by this
1531     * DisplayList draw instance.
1532     *
1533     * Note: doesn't include transformation within the RenderNode, or its properties.
1534     */
1535    mat4 mTransformFromCompositingAncestor;
1536    bool mSkipInOrderDraw;
1537};
1538
1539/**
1540 * Not a canvas operation, used only by 3d / z ordering logic in RenderNode::iterate()
1541 */
1542class DrawShadowOp : public DrawOp {
1543public:
1544    DrawShadowOp(const mat4& transformXY, const mat4& transformZ,
1545            float casterAlpha, const SkPath* casterOutline)
1546        : DrawOp(NULL)
1547        , mTransformXY(transformXY)
1548        , mTransformZ(transformZ)
1549        , mCasterAlpha(casterAlpha)
1550        , mCasterOutline(casterOutline) {
1551    }
1552
1553    virtual void onDefer(OpenGLRenderer& renderer, DeferInfo& deferInfo,
1554            const DeferredDisplayState& state) {
1555        renderer.getCaches().tessellationCache.precacheShadows(&state.mMatrix,
1556                renderer.getLocalClipBounds(), isCasterOpaque(), mCasterOutline,
1557                &mTransformXY, &mTransformZ, renderer.getLightCenter(), renderer.getLightRadius());
1558    }
1559
1560    virtual status_t applyDraw(OpenGLRenderer& renderer, Rect& dirty) {
1561        TessellationCache::vertexBuffer_pair_t buffers;
1562        Matrix4 drawTransform(*(renderer.currentTransform()));
1563        renderer.getCaches().tessellationCache.getShadowBuffers(&drawTransform,
1564                renderer.getLocalClipBounds(), isCasterOpaque(), mCasterOutline,
1565                &mTransformXY, &mTransformZ, renderer.getLightCenter(), renderer.getLightRadius(),
1566                buffers);
1567
1568        return renderer.drawShadow(mCasterAlpha, buffers.first, buffers.second);
1569    }
1570
1571    virtual void output(int level, uint32_t logFlags) const {
1572        OP_LOGS("DrawShadow");
1573    }
1574
1575    virtual const char* name() { return "DrawShadow"; }
1576
1577private:
1578    bool isCasterOpaque() { return mCasterAlpha >= 1.0f; }
1579
1580    const mat4 mTransformXY;
1581    const mat4 mTransformZ;
1582    const float mCasterAlpha;
1583    const SkPath* mCasterOutline;
1584};
1585
1586class DrawLayerOp : public DrawOp {
1587public:
1588    DrawLayerOp(Layer* layer, float x, float y)
1589            : DrawOp(NULL), mLayer(layer), mX(x), mY(y) {}
1590
1591    virtual status_t applyDraw(OpenGLRenderer& renderer, Rect& dirty) {
1592        return renderer.drawLayer(mLayer, mX, mY);
1593    }
1594
1595    virtual void output(int level, uint32_t logFlags) const {
1596        OP_LOG("Draw Layer %p at %f %f", mLayer, mX, mY);
1597    }
1598
1599    virtual const char* name() { return "DrawLayer"; }
1600
1601private:
1602    Layer* mLayer;
1603    float mX;
1604    float mY;
1605};
1606
1607}; // namespace uirenderer
1608}; // namespace android
1609
1610#endif // ANDROID_HWUI_DISPLAY_OPERATION_H
1611