OpenGLRenderer.cpp revision a151ef8c667a52d9fae28c09f780784f19bdb039
1/*
2 * Copyright (C) 2010 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#define LOG_TAG "OpenGLRenderer"
18
19#include <stdlib.h>
20#include <stdint.h>
21#include <sys/types.h>
22
23#include <SkCanvas.h>
24#include <SkPathMeasure.h>
25#include <SkTypeface.h>
26
27#include <utils/Log.h>
28#include <utils/StopWatch.h>
29
30#include <private/hwui/DrawGlInfo.h>
31
32#include <ui/Rect.h>
33
34#include "OpenGLRenderer.h"
35#include "DeferredDisplayList.h"
36#include "DisplayListRenderer.h"
37#include "PathTessellator.h"
38#include "Properties.h"
39#include "Vector.h"
40
41namespace android {
42namespace uirenderer {
43
44///////////////////////////////////////////////////////////////////////////////
45// Defines
46///////////////////////////////////////////////////////////////////////////////
47
48#define RAD_TO_DEG (180.0f / 3.14159265f)
49#define MIN_ANGLE 0.001f
50
51#define ALPHA_THRESHOLD 0
52
53#define FILTER(paint) (!paint || paint->isFilterBitmap() ? GL_LINEAR : GL_NEAREST)
54
55///////////////////////////////////////////////////////////////////////////////
56// Globals
57///////////////////////////////////////////////////////////////////////////////
58
59/**
60 * Structure mapping Skia xfermodes to OpenGL blending factors.
61 */
62struct Blender {
63    SkXfermode::Mode mode;
64    GLenum src;
65    GLenum dst;
66}; // struct Blender
67
68// In this array, the index of each Blender equals the value of the first
69// entry. For instance, gBlends[1] == gBlends[SkXfermode::kSrc_Mode]
70static const Blender gBlends[] = {
71    { SkXfermode::kClear_Mode,    GL_ZERO,                GL_ONE_MINUS_SRC_ALPHA },
72    { SkXfermode::kSrc_Mode,      GL_ONE,                 GL_ZERO },
73    { SkXfermode::kDst_Mode,      GL_ZERO,                GL_ONE },
74    { SkXfermode::kSrcOver_Mode,  GL_ONE,                 GL_ONE_MINUS_SRC_ALPHA },
75    { SkXfermode::kDstOver_Mode,  GL_ONE_MINUS_DST_ALPHA, GL_ONE },
76    { SkXfermode::kSrcIn_Mode,    GL_DST_ALPHA,           GL_ZERO },
77    { SkXfermode::kDstIn_Mode,    GL_ZERO,                GL_SRC_ALPHA },
78    { SkXfermode::kSrcOut_Mode,   GL_ONE_MINUS_DST_ALPHA, GL_ZERO },
79    { SkXfermode::kDstOut_Mode,   GL_ZERO,                GL_ONE_MINUS_SRC_ALPHA },
80    { SkXfermode::kSrcATop_Mode,  GL_DST_ALPHA,           GL_ONE_MINUS_SRC_ALPHA },
81    { SkXfermode::kDstATop_Mode,  GL_ONE_MINUS_DST_ALPHA, GL_SRC_ALPHA },
82    { SkXfermode::kXor_Mode,      GL_ONE_MINUS_DST_ALPHA, GL_ONE_MINUS_SRC_ALPHA },
83    { SkXfermode::kPlus_Mode,     GL_ONE,                 GL_ONE },
84    { SkXfermode::kModulate_Mode, GL_ZERO,                GL_SRC_COLOR },
85    { SkXfermode::kScreen_Mode,   GL_ONE,                 GL_ONE_MINUS_SRC_COLOR }
86};
87
88// This array contains the swapped version of each SkXfermode. For instance
89// this array's SrcOver blending mode is actually DstOver. You can refer to
90// createLayer() for more information on the purpose of this array.
91static const Blender gBlendsSwap[] = {
92    { SkXfermode::kClear_Mode,    GL_ONE_MINUS_DST_ALPHA, GL_ZERO },
93    { SkXfermode::kSrc_Mode,      GL_ZERO,                GL_ONE },
94    { SkXfermode::kDst_Mode,      GL_ONE,                 GL_ZERO },
95    { SkXfermode::kSrcOver_Mode,  GL_ONE_MINUS_DST_ALPHA, GL_ONE },
96    { SkXfermode::kDstOver_Mode,  GL_ONE,                 GL_ONE_MINUS_SRC_ALPHA },
97    { SkXfermode::kSrcIn_Mode,    GL_ZERO,                GL_SRC_ALPHA },
98    { SkXfermode::kDstIn_Mode,    GL_DST_ALPHA,           GL_ZERO },
99    { SkXfermode::kSrcOut_Mode,   GL_ZERO,                GL_ONE_MINUS_SRC_ALPHA },
100    { SkXfermode::kDstOut_Mode,   GL_ONE_MINUS_DST_ALPHA, GL_ZERO },
101    { SkXfermode::kSrcATop_Mode,  GL_ONE_MINUS_DST_ALPHA, GL_SRC_ALPHA },
102    { SkXfermode::kDstATop_Mode,  GL_DST_ALPHA,           GL_ONE_MINUS_SRC_ALPHA },
103    { SkXfermode::kXor_Mode,      GL_ONE_MINUS_DST_ALPHA, GL_ONE_MINUS_SRC_ALPHA },
104    { SkXfermode::kPlus_Mode,     GL_ONE,                 GL_ONE },
105    { SkXfermode::kModulate_Mode, GL_DST_COLOR,           GL_ZERO },
106    { SkXfermode::kScreen_Mode,   GL_ONE_MINUS_DST_COLOR, GL_ONE }
107};
108
109///////////////////////////////////////////////////////////////////////////////
110// Constructors/destructor
111///////////////////////////////////////////////////////////////////////////////
112
113OpenGLRenderer::OpenGLRenderer():
114        mCaches(Caches::getInstance()), mExtensions(Extensions::getInstance()) {
115    mDrawModifiers.mShader = NULL;
116    mDrawModifiers.mColorFilter = NULL;
117    mDrawModifiers.mOverrideLayerAlpha = 1.0f;
118    mDrawModifiers.mHasShadow = false;
119    mDrawModifiers.mHasDrawFilter = false;
120
121    memcpy(mMeshVertices, gMeshVertices, sizeof(gMeshVertices));
122
123    mFirstSnapshot = new Snapshot;
124    mFrameStarted = false;
125
126    mScissorOptimizationDisabled = false;
127}
128
129OpenGLRenderer::~OpenGLRenderer() {
130    // The context has already been destroyed at this point, do not call
131    // GL APIs. All GL state should be kept in Caches.h
132}
133
134void OpenGLRenderer::initProperties() {
135    char property[PROPERTY_VALUE_MAX];
136    if (property_get(PROPERTY_DISABLE_SCISSOR_OPTIMIZATION, property, "false")) {
137        mScissorOptimizationDisabled = !strcasecmp(property, "true");
138        INIT_LOGD("  Scissor optimization %s",
139                mScissorOptimizationDisabled ? "disabled" : "enabled");
140    } else {
141        INIT_LOGD("  Scissor optimization enabled");
142    }
143}
144
145///////////////////////////////////////////////////////////////////////////////
146// Setup
147///////////////////////////////////////////////////////////////////////////////
148
149void OpenGLRenderer::setName(const char* name) {
150    if (name) {
151        mName.setTo(name);
152    } else {
153        mName.clear();
154    }
155}
156
157const char* OpenGLRenderer::getName() const {
158    return mName.string();
159}
160
161bool OpenGLRenderer::isDeferred() {
162    return false;
163}
164
165void OpenGLRenderer::setViewport(int width, int height) {
166    initViewport(width, height);
167
168    glDisable(GL_DITHER);
169    glClearColor(0.0f, 0.0f, 0.0f, 0.0f);
170
171    glEnableVertexAttribArray(Program::kBindingPosition);
172}
173
174void OpenGLRenderer::initViewport(int width, int height) {
175    mOrthoMatrix.loadOrtho(0, width, height, 0, -1, 1);
176
177    mWidth = width;
178    mHeight = height;
179
180    mFirstSnapshot->height = height;
181    mFirstSnapshot->viewport.set(0, 0, width, height);
182}
183
184void OpenGLRenderer::setupFrameState(float left, float top,
185        float right, float bottom, bool opaque) {
186    mCaches.clearGarbage();
187
188    mOpaque = opaque;
189    mSnapshot = new Snapshot(mFirstSnapshot,
190            SkCanvas::kMatrix_SaveFlag | SkCanvas::kClip_SaveFlag);
191    mSnapshot->fbo = getTargetFbo();
192    mSaveCount = 1;
193
194    mSnapshot->setClip(left, top, right, bottom);
195    mTilingClip.set(left, top, right, bottom);
196}
197
198status_t OpenGLRenderer::startFrame() {
199    if (mFrameStarted) return DrawGlInfo::kStatusDone;
200    mFrameStarted = true;
201
202    mDirtyClip = true;
203
204    discardFramebuffer(mTilingClip.left, mTilingClip.top, mTilingClip.right, mTilingClip.bottom);
205
206    glViewport(0, 0, mWidth, mHeight);
207
208    // Functors break the tiling extension in pretty spectacular ways
209    // This ensures we don't use tiling when a functor is going to be
210    // invoked during the frame
211    mSuppressTiling = mCaches.hasRegisteredFunctors();
212
213    startTiling(mSnapshot, true);
214
215    debugOverdraw(true, true);
216
217    return clear(mTilingClip.left, mTilingClip.top,
218            mTilingClip.right, mTilingClip.bottom, mOpaque);
219}
220
221status_t OpenGLRenderer::prepare(bool opaque) {
222    return prepareDirty(0.0f, 0.0f, mWidth, mHeight, opaque);
223}
224
225status_t OpenGLRenderer::prepareDirty(float left, float top,
226        float right, float bottom, bool opaque) {
227    setupFrameState(left, top, right, bottom, opaque);
228
229    // Layer renderers will start the frame immediately
230    // The framebuffer renderer will first defer the display list
231    // for each layer and wait until the first drawing command
232    // to start the frame
233    if (mSnapshot->fbo == 0) {
234        syncState();
235        updateLayers();
236    } else {
237        return startFrame();
238    }
239
240    return DrawGlInfo::kStatusDone;
241}
242
243void OpenGLRenderer::discardFramebuffer(float left, float top, float right, float bottom) {
244    // If we know that we are going to redraw the entire framebuffer,
245    // perform a discard to let the driver know we don't need to preserve
246    // the back buffer for this frame.
247    if (mExtensions.hasDiscardFramebuffer() &&
248            left <= 0.0f && top <= 0.0f && right >= mWidth && bottom >= mHeight) {
249        const bool isFbo = getTargetFbo() == 0;
250        const GLenum attachments[] = {
251                isFbo ? (const GLenum) GL_COLOR_EXT : (const GLenum) GL_COLOR_ATTACHMENT0,
252                isFbo ? (const GLenum) GL_STENCIL_EXT : (const GLenum) GL_STENCIL_ATTACHMENT };
253        glDiscardFramebufferEXT(GL_FRAMEBUFFER, 1, attachments);
254    }
255}
256
257status_t OpenGLRenderer::clear(float left, float top, float right, float bottom, bool opaque) {
258    if (!opaque) {
259        mCaches.enableScissor();
260        mCaches.setScissor(left, mSnapshot->height - bottom, right - left, bottom - top);
261        glClear(GL_COLOR_BUFFER_BIT);
262        return DrawGlInfo::kStatusDrew;
263    }
264
265    mCaches.resetScissor();
266    return DrawGlInfo::kStatusDone;
267}
268
269void OpenGLRenderer::syncState() {
270    if (mCaches.blend) {
271        glEnable(GL_BLEND);
272    } else {
273        glDisable(GL_BLEND);
274    }
275}
276
277void OpenGLRenderer::startTiling(const sp<Snapshot>& s, bool opaque) {
278    if (!mSuppressTiling) {
279        Rect* clip = &mTilingClip;
280        if (s->flags & Snapshot::kFlagFboTarget) {
281            clip = &(s->layer->clipRect);
282        }
283
284        startTiling(*clip, s->height, opaque);
285    }
286}
287
288void OpenGLRenderer::startTiling(const Rect& clip, int windowHeight, bool opaque) {
289    if (!mSuppressTiling) {
290        mCaches.startTiling(clip.left, windowHeight - clip.bottom,
291                clip.right - clip.left, clip.bottom - clip.top, opaque);
292    }
293}
294
295void OpenGLRenderer::endTiling() {
296    if (!mSuppressTiling) mCaches.endTiling();
297}
298
299void OpenGLRenderer::finish() {
300    renderOverdraw();
301    endTiling();
302
303    // When finish() is invoked on FBO 0 we've reached the end
304    // of the current frame
305    if (getTargetFbo() == 0) {
306        mCaches.pathCache.trim();
307    }
308
309    if (!suppressErrorChecks()) {
310#if DEBUG_OPENGL
311        GLenum status = GL_NO_ERROR;
312        while ((status = glGetError()) != GL_NO_ERROR) {
313            ALOGD("GL error from OpenGLRenderer: 0x%x", status);
314            switch (status) {
315                case GL_INVALID_ENUM:
316                    ALOGE("  GL_INVALID_ENUM");
317                    break;
318                case GL_INVALID_VALUE:
319                    ALOGE("  GL_INVALID_VALUE");
320                    break;
321                case GL_INVALID_OPERATION:
322                    ALOGE("  GL_INVALID_OPERATION");
323                    break;
324                case GL_OUT_OF_MEMORY:
325                    ALOGE("  Out of memory!");
326                    break;
327            }
328        }
329#endif
330
331#if DEBUG_MEMORY_USAGE
332        mCaches.dumpMemoryUsage();
333#else
334        if (mCaches.getDebugLevel() & kDebugMemory) {
335            mCaches.dumpMemoryUsage();
336        }
337#endif
338    }
339
340    mFrameStarted = false;
341}
342
343void OpenGLRenderer::interrupt() {
344    if (mCaches.currentProgram) {
345        if (mCaches.currentProgram->isInUse()) {
346            mCaches.currentProgram->remove();
347            mCaches.currentProgram = NULL;
348        }
349    }
350    mCaches.unbindMeshBuffer();
351    mCaches.unbindIndicesBuffer();
352    mCaches.resetVertexPointers();
353    mCaches.disableTexCoordsVertexArray();
354    debugOverdraw(false, false);
355}
356
357void OpenGLRenderer::resume() {
358    sp<Snapshot> snapshot = (mSnapshot != NULL) ? mSnapshot : mFirstSnapshot;
359    glViewport(0, 0, snapshot->viewport.getWidth(), snapshot->viewport.getHeight());
360    glBindFramebuffer(GL_FRAMEBUFFER, snapshot->fbo);
361    debugOverdraw(true, false);
362
363    glClearColor(0.0f, 0.0f, 0.0f, 0.0f);
364
365    mCaches.scissorEnabled = glIsEnabled(GL_SCISSOR_TEST);
366    mCaches.enableScissor();
367    mCaches.resetScissor();
368    dirtyClip();
369
370    mCaches.activeTexture(0);
371
372    mCaches.blend = true;
373    glEnable(GL_BLEND);
374    glBlendFunc(mCaches.lastSrcMode, mCaches.lastDstMode);
375    glBlendEquation(GL_FUNC_ADD);
376}
377
378void OpenGLRenderer::resumeAfterLayer() {
379    sp<Snapshot> snapshot = (mSnapshot != NULL) ? mSnapshot : mFirstSnapshot;
380    glViewport(0, 0, snapshot->viewport.getWidth(), snapshot->viewport.getHeight());
381    glBindFramebuffer(GL_FRAMEBUFFER, snapshot->fbo);
382    debugOverdraw(true, false);
383
384    mCaches.resetScissor();
385    dirtyClip();
386}
387
388void OpenGLRenderer::detachFunctor(Functor* functor) {
389    mFunctors.remove(functor);
390}
391
392void OpenGLRenderer::attachFunctor(Functor* functor) {
393    mFunctors.add(functor);
394}
395
396status_t OpenGLRenderer::invokeFunctors(Rect& dirty) {
397    status_t result = DrawGlInfo::kStatusDone;
398    size_t count = mFunctors.size();
399
400    if (count > 0) {
401        interrupt();
402        SortedVector<Functor*> functors(mFunctors);
403        mFunctors.clear();
404
405        DrawGlInfo info;
406        info.clipLeft = 0;
407        info.clipTop = 0;
408        info.clipRight = 0;
409        info.clipBottom = 0;
410        info.isLayer = false;
411        info.width = 0;
412        info.height = 0;
413        memset(info.transform, 0, sizeof(float) * 16);
414
415        for (size_t i = 0; i < count; i++) {
416            Functor* f = functors.itemAt(i);
417            result |= (*f)(DrawGlInfo::kModeProcess, &info);
418
419            if (result & DrawGlInfo::kStatusDraw) {
420                Rect localDirty(info.dirtyLeft, info.dirtyTop, info.dirtyRight, info.dirtyBottom);
421                dirty.unionWith(localDirty);
422            }
423
424            if (result & DrawGlInfo::kStatusInvoke) {
425                mFunctors.add(f);
426            }
427        }
428        resume();
429    }
430
431    return result;
432}
433
434status_t OpenGLRenderer::callDrawGLFunction(Functor* functor, Rect& dirty) {
435    if (mSnapshot->isIgnored()) return DrawGlInfo::kStatusDone;
436
437    interrupt();
438    detachFunctor(functor);
439
440    mCaches.enableScissor();
441    if (mDirtyClip) {
442        setScissorFromClip();
443    }
444
445    Rect clip(*mSnapshot->clipRect);
446    clip.snapToPixelBoundaries();
447
448    // Since we don't know what the functor will draw, let's dirty
449    // tne entire clip region
450    if (hasLayer()) {
451        dirtyLayerUnchecked(clip, getRegion());
452    }
453
454    DrawGlInfo info;
455    info.clipLeft = clip.left;
456    info.clipTop = clip.top;
457    info.clipRight = clip.right;
458    info.clipBottom = clip.bottom;
459    info.isLayer = hasLayer();
460    info.width = getSnapshot()->viewport.getWidth();
461    info.height = getSnapshot()->height;
462    getSnapshot()->transform->copyTo(&info.transform[0]);
463
464    status_t result = (*functor)(DrawGlInfo::kModeDraw, &info) | DrawGlInfo::kStatusDrew;
465
466    if (result != DrawGlInfo::kStatusDone) {
467        Rect localDirty(info.dirtyLeft, info.dirtyTop, info.dirtyRight, info.dirtyBottom);
468        dirty.unionWith(localDirty);
469
470        if (result & DrawGlInfo::kStatusInvoke) {
471            mFunctors.add(functor);
472        }
473    }
474
475    resume();
476    return result;
477}
478
479///////////////////////////////////////////////////////////////////////////////
480// Debug
481///////////////////////////////////////////////////////////////////////////////
482
483void OpenGLRenderer::eventMark(const char* name) const {
484    mCaches.eventMark(0, name);
485}
486
487void OpenGLRenderer::startMark(const char* name) const {
488    mCaches.startMark(0, name);
489}
490
491void OpenGLRenderer::endMark() const {
492    mCaches.endMark();
493}
494
495void OpenGLRenderer::debugOverdraw(bool enable, bool clear) {
496    if (mCaches.debugOverdraw && getTargetFbo() == 0) {
497        if (clear) {
498            mCaches.disableScissor();
499            mCaches.stencil.clear();
500        }
501        if (enable) {
502            mCaches.stencil.enableDebugWrite();
503        } else {
504            mCaches.stencil.disable();
505        }
506    }
507}
508
509void OpenGLRenderer::renderOverdraw() {
510    if (mCaches.debugOverdraw && getTargetFbo() == 0) {
511        const Rect* clip = &mTilingClip;
512
513        mCaches.enableScissor();
514        mCaches.setScissor(clip->left, mFirstSnapshot->height - clip->bottom,
515                clip->right - clip->left, clip->bottom - clip->top);
516
517        mCaches.stencil.enableDebugTest(2);
518        drawColor(0x2f0000ff, SkXfermode::kSrcOver_Mode);
519        mCaches.stencil.enableDebugTest(3);
520        drawColor(0x2f00ff00, SkXfermode::kSrcOver_Mode);
521        mCaches.stencil.enableDebugTest(4);
522        drawColor(0x3fff0000, SkXfermode::kSrcOver_Mode);
523        mCaches.stencil.enableDebugTest(4, true);
524        drawColor(0x7fff0000, SkXfermode::kSrcOver_Mode);
525        mCaches.stencil.disable();
526    }
527}
528
529///////////////////////////////////////////////////////////////////////////////
530// Layers
531///////////////////////////////////////////////////////////////////////////////
532
533bool OpenGLRenderer::updateLayer(Layer* layer, bool inFrame) {
534    if (layer->deferredUpdateScheduled && layer->renderer &&
535            layer->displayList && layer->displayList->isRenderable()) {
536        Rect& dirty = layer->dirtyRect;
537
538        if (inFrame) {
539            endTiling();
540            debugOverdraw(false, false);
541        }
542
543        if (CC_UNLIKELY(inFrame || mCaches.drawDeferDisabled)) {
544            layer->render();
545        } else {
546            layer->defer();
547        }
548
549        if (inFrame) {
550            resumeAfterLayer();
551            startTiling(mSnapshot);
552        }
553
554        layer->debugDrawUpdate = mCaches.debugLayersUpdates;
555
556        return true;
557    }
558
559    return false;
560}
561
562void OpenGLRenderer::updateLayers() {
563    // If draw deferring is enabled this method will simply defer
564    // the display list of each individual layer. The layers remain
565    // in the layer updates list which will be cleared by flushLayers().
566    int count = mLayerUpdates.size();
567    if (count > 0) {
568        if (CC_UNLIKELY(mCaches.drawDeferDisabled)) {
569            startMark("Layer Updates");
570        } else {
571            startMark("Defer Layer Updates");
572        }
573
574        // Note: it is very important to update the layers in order
575        for (int i = 0; i < count; i++) {
576            Layer* layer = mLayerUpdates.itemAt(i);
577            updateLayer(layer, false);
578            if (CC_UNLIKELY(mCaches.drawDeferDisabled)) {
579                mCaches.resourceCache.decrementRefcount(layer);
580            }
581        }
582
583        if (CC_UNLIKELY(mCaches.drawDeferDisabled)) {
584            mLayerUpdates.clear();
585            glBindFramebuffer(GL_FRAMEBUFFER, getTargetFbo());
586        }
587        endMark();
588    }
589}
590
591void OpenGLRenderer::flushLayers() {
592    int count = mLayerUpdates.size();
593    if (count > 0) {
594        startMark("Apply Layer Updates");
595        char layerName[12];
596
597        // Note: it is very important to update the layers in order
598        for (int i = 0; i < count; i++) {
599            sprintf(layerName, "Layer #%d", i);
600            startMark(layerName);
601
602            Layer* layer = mLayerUpdates.itemAt(i);
603            layer->flush();
604            mCaches.resourceCache.decrementRefcount(layer);
605
606            endMark();
607        }
608
609        mLayerUpdates.clear();
610        glBindFramebuffer(GL_FRAMEBUFFER, getTargetFbo());
611
612        endMark();
613    }
614}
615
616void OpenGLRenderer::pushLayerUpdate(Layer* layer) {
617    if (layer) {
618        // Make sure we don't introduce duplicates.
619        // SortedVector would do this automatically but we need to respect
620        // the insertion order. The linear search is not an issue since
621        // this list is usually very short (typically one item, at most a few)
622        for (int i = mLayerUpdates.size() - 1; i >= 0; i--) {
623            if (mLayerUpdates.itemAt(i) == layer) {
624                return;
625            }
626        }
627        mLayerUpdates.push_back(layer);
628        mCaches.resourceCache.incrementRefcount(layer);
629    }
630}
631
632void OpenGLRenderer::clearLayerUpdates() {
633    size_t count = mLayerUpdates.size();
634    if (count > 0) {
635        mCaches.resourceCache.lock();
636        for (size_t i = 0; i < count; i++) {
637            mCaches.resourceCache.decrementRefcountLocked(mLayerUpdates.itemAt(i));
638        }
639        mCaches.resourceCache.unlock();
640        mLayerUpdates.clear();
641    }
642}
643
644///////////////////////////////////////////////////////////////////////////////
645// State management
646///////////////////////////////////////////////////////////////////////////////
647
648int OpenGLRenderer::getSaveCount() const {
649    return mSaveCount;
650}
651
652int OpenGLRenderer::save(int flags) {
653    return saveSnapshot(flags);
654}
655
656void OpenGLRenderer::restore() {
657    if (mSaveCount > 1) {
658        restoreSnapshot();
659    }
660}
661
662void OpenGLRenderer::restoreToCount(int saveCount) {
663    if (saveCount < 1) saveCount = 1;
664
665    while (mSaveCount > saveCount) {
666        restoreSnapshot();
667    }
668}
669
670int OpenGLRenderer::saveSnapshot(int flags) {
671    mSnapshot = new Snapshot(mSnapshot, flags);
672    return mSaveCount++;
673}
674
675bool OpenGLRenderer::restoreSnapshot() {
676    bool restoreClip = mSnapshot->flags & Snapshot::kFlagClipSet;
677    bool restoreLayer = mSnapshot->flags & Snapshot::kFlagIsLayer;
678    bool restoreOrtho = mSnapshot->flags & Snapshot::kFlagDirtyOrtho;
679
680    sp<Snapshot> current = mSnapshot;
681    sp<Snapshot> previous = mSnapshot->previous;
682
683    if (restoreOrtho) {
684        Rect& r = previous->viewport;
685        glViewport(r.left, r.top, r.right, r.bottom);
686        mOrthoMatrix.load(current->orthoMatrix);
687    }
688
689    mSaveCount--;
690    mSnapshot = previous;
691
692    if (restoreClip) {
693        dirtyClip();
694    }
695
696    if (restoreLayer) {
697        endMark(); // Savelayer
698        startMark("ComposeLayer");
699        composeLayer(current, previous);
700        endMark();
701    }
702
703    return restoreClip;
704}
705
706///////////////////////////////////////////////////////////////////////////////
707// Layers
708///////////////////////////////////////////////////////////////////////////////
709
710int OpenGLRenderer::saveLayer(float left, float top, float right, float bottom,
711        int alpha, SkXfermode::Mode mode, int flags) {
712    const GLuint previousFbo = mSnapshot->fbo;
713    const int count = saveSnapshot(flags);
714
715    if (!mSnapshot->isIgnored()) {
716        createLayer(left, top, right, bottom, alpha, mode, flags, previousFbo);
717    }
718
719    return count;
720}
721
722void OpenGLRenderer::calculateLayerBoundsAndClip(Rect& bounds, Rect& clip, bool fboLayer) {
723    const Rect untransformedBounds(bounds);
724
725    currentTransform().mapRect(bounds);
726
727    // Layers only make sense if they are in the framebuffer's bounds
728    if (bounds.intersect(*mSnapshot->clipRect)) {
729        // We cannot work with sub-pixels in this case
730        bounds.snapToPixelBoundaries();
731
732        // When the layer is not an FBO, we may use glCopyTexImage so we
733        // need to make sure the layer does not extend outside the bounds
734        // of the framebuffer
735        if (!bounds.intersect(mSnapshot->previous->viewport)) {
736            bounds.setEmpty();
737        } else if (fboLayer) {
738            clip.set(bounds);
739            mat4 inverse;
740            inverse.loadInverse(currentTransform());
741            inverse.mapRect(clip);
742            clip.snapToPixelBoundaries();
743            if (clip.intersect(untransformedBounds)) {
744                clip.translate(-untransformedBounds.left, -untransformedBounds.top);
745                bounds.set(untransformedBounds);
746            } else {
747                clip.setEmpty();
748            }
749        }
750    } else {
751        bounds.setEmpty();
752    }
753}
754
755void OpenGLRenderer::updateSnapshotIgnoreForLayer(const Rect& bounds, const Rect& clip,
756        bool fboLayer, int alpha) {
757    if (bounds.isEmpty() || bounds.getWidth() > mCaches.maxTextureSize ||
758            bounds.getHeight() > mCaches.maxTextureSize ||
759            (fboLayer && clip.isEmpty())) {
760        mSnapshot->empty = fboLayer;
761    } else {
762        mSnapshot->invisible = mSnapshot->invisible || (alpha <= ALPHA_THRESHOLD && fboLayer);
763    }
764}
765
766int OpenGLRenderer::saveLayerDeferred(float left, float top, float right, float bottom,
767        int alpha, SkXfermode::Mode mode, int flags) {
768    const GLuint previousFbo = mSnapshot->fbo;
769    const int count = saveSnapshot(flags);
770
771    if (!mSnapshot->isIgnored() && (flags & SkCanvas::kClipToLayer_SaveFlag)) {
772        // initialize the snapshot as though it almost represents an FBO layer so deferred draw
773        // operations will be able to store and restore the current clip and transform info, and
774        // quick rejection will be correct (for display lists)
775
776        Rect bounds(left, top, right, bottom);
777        Rect clip;
778        calculateLayerBoundsAndClip(bounds, clip, true);
779        updateSnapshotIgnoreForLayer(bounds, clip, true, alpha);
780
781        if (!mSnapshot->isIgnored()) {
782            mSnapshot->resetTransform(-bounds.left, -bounds.top, 0.0f);
783            mSnapshot->resetClip(clip.left, clip.top, clip.right, clip.bottom);
784        }
785    }
786
787    return count;
788}
789
790
791/**
792 * Layers are viewed by Skia are slightly different than layers in image editing
793 * programs (for instance.) When a layer is created, previously created layers
794 * and the frame buffer still receive every drawing command. For instance, if a
795 * layer is created and a shape intersecting the bounds of the layers and the
796 * framebuffer is draw, the shape will be drawn on both (unless the layer was
797 * created with the SkCanvas::kClipToLayer_SaveFlag flag.)
798 *
799 * A way to implement layers is to create an FBO for each layer, backed by an RGBA
800 * texture. Unfortunately, this is inefficient as it requires every primitive to
801 * be drawn n + 1 times, where n is the number of active layers. In practice this
802 * means, for every primitive:
803 *   - Switch active frame buffer
804 *   - Change viewport, clip and projection matrix
805 *   - Issue the drawing
806 *
807 * Switching rendering target n + 1 times per drawn primitive is extremely costly.
808 * To avoid this, layers are implemented in a different way here, at least in the
809 * general case. FBOs are used, as an optimization, when the "clip to layer" flag
810 * is set. When this flag is set we can redirect all drawing operations into a
811 * single FBO.
812 *
813 * This implementation relies on the frame buffer being at least RGBA 8888. When
814 * a layer is created, only a texture is created, not an FBO. The content of the
815 * frame buffer contained within the layer's bounds is copied into this texture
816 * using glCopyTexImage2D(). The layer's region is then cleared(1) in the frame
817 * buffer and drawing continues as normal. This technique therefore treats the
818 * frame buffer as a scratch buffer for the layers.
819 *
820 * To compose the layers back onto the frame buffer, each layer texture
821 * (containing the original frame buffer data) is drawn as a simple quad over
822 * the frame buffer. The trick is that the quad is set as the composition
823 * destination in the blending equation, and the frame buffer becomes the source
824 * of the composition.
825 *
826 * Drawing layers with an alpha value requires an extra step before composition.
827 * An empty quad is drawn over the layer's region in the frame buffer. This quad
828 * is drawn with the rgba color (0,0,0,alpha). The alpha value offered by the
829 * quad is used to multiply the colors in the frame buffer. This is achieved by
830 * changing the GL blend functions for the GL_FUNC_ADD blend equation to
831 * GL_ZERO, GL_SRC_ALPHA.
832 *
833 * Because glCopyTexImage2D() can be slow, an alternative implementation might
834 * be use to draw a single clipped layer. The implementation described above
835 * is correct in every case.
836 *
837 * (1) The frame buffer is actually not cleared right away. To allow the GPU
838 *     to potentially optimize series of calls to glCopyTexImage2D, the frame
839 *     buffer is left untouched until the first drawing operation. Only when
840 *     something actually gets drawn are the layers regions cleared.
841 */
842bool OpenGLRenderer::createLayer(float left, float top, float right, float bottom,
843        int alpha, SkXfermode::Mode mode, int flags, GLuint previousFbo) {
844    LAYER_LOGD("Requesting layer %.2fx%.2f", right - left, bottom - top);
845    LAYER_LOGD("Layer cache size = %d", mCaches.layerCache.getSize());
846
847    const bool fboLayer = flags & SkCanvas::kClipToLayer_SaveFlag;
848
849    // Window coordinates of the layer
850    Rect clip;
851    Rect bounds(left, top, right, bottom);
852    calculateLayerBoundsAndClip(bounds, clip, fboLayer);
853    updateSnapshotIgnoreForLayer(bounds, clip, fboLayer, alpha);
854
855    // Bail out if we won't draw in this snapshot
856    if (mSnapshot->isIgnored()) {
857        return false;
858    }
859
860    mCaches.activeTexture(0);
861    Layer* layer = mCaches.layerCache.get(bounds.getWidth(), bounds.getHeight());
862    if (!layer) {
863        return false;
864    }
865
866    layer->setAlpha(alpha, mode);
867    layer->layer.set(bounds);
868    layer->texCoords.set(0.0f, bounds.getHeight() / float(layer->getHeight()),
869            bounds.getWidth() / float(layer->getWidth()), 0.0f);
870    layer->setColorFilter(mDrawModifiers.mColorFilter);
871    layer->setBlend(true);
872    layer->setDirty(false);
873
874    // Save the layer in the snapshot
875    mSnapshot->flags |= Snapshot::kFlagIsLayer;
876    mSnapshot->layer = layer;
877
878    startMark("SaveLayer");
879    if (fboLayer) {
880        return createFboLayer(layer, bounds, clip, previousFbo);
881    } else {
882        // Copy the framebuffer into the layer
883        layer->bindTexture();
884        if (!bounds.isEmpty()) {
885            if (layer->isEmpty()) {
886                glCopyTexImage2D(GL_TEXTURE_2D, 0, GL_RGBA,
887                        bounds.left, mSnapshot->height - bounds.bottom,
888                        layer->getWidth(), layer->getHeight(), 0);
889                layer->setEmpty(false);
890            } else {
891                glCopyTexSubImage2D(GL_TEXTURE_2D, 0, 0, 0, bounds.left,
892                        mSnapshot->height - bounds.bottom, bounds.getWidth(), bounds.getHeight());
893            }
894
895            // Enqueue the buffer coordinates to clear the corresponding region later
896            mLayers.push(new Rect(bounds));
897        }
898    }
899
900    return true;
901}
902
903bool OpenGLRenderer::createFboLayer(Layer* layer, Rect& bounds, Rect& clip, GLuint previousFbo) {
904    layer->clipRect.set(clip);
905    layer->setFbo(mCaches.fboCache.get());
906
907    mSnapshot->region = &mSnapshot->layer->region;
908    mSnapshot->flags |= Snapshot::kFlagFboTarget | Snapshot::kFlagIsFboLayer |
909            Snapshot::kFlagDirtyOrtho;
910    mSnapshot->fbo = layer->getFbo();
911    mSnapshot->resetTransform(-bounds.left, -bounds.top, 0.0f);
912    mSnapshot->resetClip(clip.left, clip.top, clip.right, clip.bottom);
913    mSnapshot->viewport.set(0.0f, 0.0f, bounds.getWidth(), bounds.getHeight());
914    mSnapshot->height = bounds.getHeight();
915    mSnapshot->orthoMatrix.load(mOrthoMatrix);
916
917    endTiling();
918    debugOverdraw(false, false);
919    // Bind texture to FBO
920    glBindFramebuffer(GL_FRAMEBUFFER, layer->getFbo());
921    layer->bindTexture();
922
923    // Initialize the texture if needed
924    if (layer->isEmpty()) {
925        layer->allocateTexture();
926        layer->setEmpty(false);
927    }
928
929    glFramebufferTexture2D(GL_FRAMEBUFFER, GL_COLOR_ATTACHMENT0, GL_TEXTURE_2D,
930            layer->getTexture(), 0);
931
932    startTiling(mSnapshot, true);
933
934    // Clear the FBO, expand the clear region by 1 to get nice bilinear filtering
935    mCaches.enableScissor();
936    mCaches.setScissor(clip.left - 1.0f, bounds.getHeight() - clip.bottom - 1.0f,
937            clip.getWidth() + 2.0f, clip.getHeight() + 2.0f);
938    glClear(GL_COLOR_BUFFER_BIT);
939
940    dirtyClip();
941
942    // Change the ortho projection
943    glViewport(0, 0, bounds.getWidth(), bounds.getHeight());
944    mOrthoMatrix.loadOrtho(0.0f, bounds.getWidth(), bounds.getHeight(), 0.0f, -1.0f, 1.0f);
945
946    return true;
947}
948
949/**
950 * Read the documentation of createLayer() before doing anything in this method.
951 */
952void OpenGLRenderer::composeLayer(sp<Snapshot> current, sp<Snapshot> previous) {
953    if (!current->layer) {
954        ALOGE("Attempting to compose a layer that does not exist");
955        return;
956    }
957
958    Layer* layer = current->layer;
959    const Rect& rect = layer->layer;
960    const bool fboLayer = current->flags & Snapshot::kFlagIsFboLayer;
961
962    if (fboLayer) {
963        endTiling();
964
965        // Detach the texture from the FBO
966        glFramebufferTexture2D(GL_FRAMEBUFFER, GL_COLOR_ATTACHMENT0, GL_TEXTURE_2D, 0, 0);
967
968        layer->removeFbo(false);
969
970        // Unbind current FBO and restore previous one
971        glBindFramebuffer(GL_FRAMEBUFFER, previous->fbo);
972        debugOverdraw(true, false);
973
974        startTiling(previous);
975    }
976
977    if (!fboLayer && layer->getAlpha() < 255) {
978        drawColorRect(rect.left, rect.top, rect.right, rect.bottom,
979                layer->getAlpha() << 24, SkXfermode::kDstIn_Mode, true);
980        // Required below, composeLayerRect() will divide by 255
981        layer->setAlpha(255);
982    }
983
984    mCaches.unbindMeshBuffer();
985
986    mCaches.activeTexture(0);
987
988    // When the layer is stored in an FBO, we can save a bit of fillrate by
989    // drawing only the dirty region
990    if (fboLayer) {
991        dirtyLayer(rect.left, rect.top, rect.right, rect.bottom, *previous->transform);
992        if (layer->getColorFilter()) {
993            setupColorFilter(layer->getColorFilter());
994        }
995        composeLayerRegion(layer, rect);
996        if (layer->getColorFilter()) {
997            resetColorFilter();
998        }
999    } else if (!rect.isEmpty()) {
1000        dirtyLayer(rect.left, rect.top, rect.right, rect.bottom);
1001        composeLayerRect(layer, rect, true);
1002    }
1003
1004    dirtyClip();
1005
1006    // Failing to add the layer to the cache should happen only if the layer is too large
1007    if (!mCaches.layerCache.put(layer)) {
1008        LAYER_LOGD("Deleting layer");
1009        Caches::getInstance().resourceCache.decrementRefcount(layer);
1010    }
1011}
1012
1013void OpenGLRenderer::drawTextureLayer(Layer* layer, const Rect& rect) {
1014    float alpha = layer->getAlpha() / 255.0f * mSnapshot->alpha;
1015
1016    setupDraw();
1017    if (layer->getRenderTarget() == GL_TEXTURE_2D) {
1018        setupDrawWithTexture();
1019    } else {
1020        setupDrawWithExternalTexture();
1021    }
1022    setupDrawTextureTransform();
1023    setupDrawColor(alpha, alpha, alpha, alpha);
1024    setupDrawColorFilter();
1025    setupDrawBlending(layer->isBlend() || alpha < 1.0f, layer->getMode());
1026    setupDrawProgram();
1027    setupDrawPureColorUniforms();
1028    setupDrawColorFilterUniforms();
1029    if (layer->getRenderTarget() == GL_TEXTURE_2D) {
1030        setupDrawTexture(layer->getTexture());
1031    } else {
1032        setupDrawExternalTexture(layer->getTexture());
1033    }
1034    if (currentTransform().isPureTranslate() &&
1035            layer->getWidth() == (uint32_t) rect.getWidth() &&
1036            layer->getHeight() == (uint32_t) rect.getHeight()) {
1037        const float x = (int) floorf(rect.left + currentTransform().getTranslateX() + 0.5f);
1038        const float y = (int) floorf(rect.top + currentTransform().getTranslateY() + 0.5f);
1039
1040        layer->setFilter(GL_NEAREST);
1041        setupDrawModelView(x, y, x + rect.getWidth(), y + rect.getHeight(), true);
1042    } else {
1043        layer->setFilter(GL_LINEAR);
1044        setupDrawModelView(rect.left, rect.top, rect.right, rect.bottom);
1045    }
1046    setupDrawTextureTransformUniforms(layer->getTexTransform());
1047    setupDrawMesh(&mMeshVertices[0].position[0], &mMeshVertices[0].texture[0]);
1048
1049    glDrawArrays(GL_TRIANGLE_STRIP, 0, gMeshCount);
1050
1051    finishDrawTexture();
1052}
1053
1054void OpenGLRenderer::composeLayerRect(Layer* layer, const Rect& rect, bool swap) {
1055    if (!layer->isTextureLayer()) {
1056        const Rect& texCoords = layer->texCoords;
1057        resetDrawTextureTexCoords(texCoords.left, texCoords.top,
1058                texCoords.right, texCoords.bottom);
1059
1060        float x = rect.left;
1061        float y = rect.top;
1062        bool simpleTransform = currentTransform().isPureTranslate() &&
1063                layer->getWidth() == (uint32_t) rect.getWidth() &&
1064                layer->getHeight() == (uint32_t) rect.getHeight();
1065
1066        if (simpleTransform) {
1067            // When we're swapping, the layer is already in screen coordinates
1068            if (!swap) {
1069                x = (int) floorf(rect.left + currentTransform().getTranslateX() + 0.5f);
1070                y = (int) floorf(rect.top + currentTransform().getTranslateY() + 0.5f);
1071            }
1072
1073            layer->setFilter(GL_NEAREST, true);
1074        } else {
1075            layer->setFilter(GL_LINEAR, true);
1076        }
1077
1078        float alpha = getLayerAlpha(layer);
1079        bool blend = layer->isBlend() || alpha < 1.0f;
1080        drawTextureMesh(x, y, x + rect.getWidth(), y + rect.getHeight(),
1081                layer->getTexture(), alpha, layer->getMode(), blend,
1082                &mMeshVertices[0].position[0], &mMeshVertices[0].texture[0],
1083                GL_TRIANGLE_STRIP, gMeshCount, swap, swap || simpleTransform);
1084
1085        resetDrawTextureTexCoords(0.0f, 0.0f, 1.0f, 1.0f);
1086    } else {
1087        resetDrawTextureTexCoords(0.0f, 1.0f, 1.0f, 0.0f);
1088        drawTextureLayer(layer, rect);
1089        resetDrawTextureTexCoords(0.0f, 0.0f, 1.0f, 1.0f);
1090    }
1091}
1092
1093void OpenGLRenderer::composeLayerRegion(Layer* layer, const Rect& rect) {
1094    if (layer->region.isRect()) {
1095        layer->setRegionAsRect();
1096
1097        composeLayerRect(layer, layer->regionRect);
1098
1099        layer->region.clear();
1100        return;
1101    }
1102
1103    // TODO: See LayerRenderer.cpp::generateMesh() for important
1104    //       information about this implementation
1105    if (CC_LIKELY(!layer->region.isEmpty())) {
1106        size_t count;
1107        const android::Rect* rects;
1108        Region safeRegion;
1109        if (CC_LIKELY(hasRectToRectTransform())) {
1110            rects = layer->region.getArray(&count);
1111        } else {
1112            safeRegion = Region::createTJunctionFreeRegion(layer->region);
1113            rects = safeRegion.getArray(&count);
1114        }
1115
1116        const float alpha = getLayerAlpha(layer);
1117        const float texX = 1.0f / float(layer->getWidth());
1118        const float texY = 1.0f / float(layer->getHeight());
1119        const float height = rect.getHeight();
1120
1121        setupDraw();
1122
1123        // We must get (and therefore bind) the region mesh buffer
1124        // after we setup drawing in case we need to mess with the
1125        // stencil buffer in setupDraw()
1126        TextureVertex* mesh = mCaches.getRegionMesh();
1127        GLsizei numQuads = 0;
1128
1129        setupDrawWithTexture();
1130        setupDrawColor(alpha, alpha, alpha, alpha);
1131        setupDrawColorFilter();
1132        setupDrawBlending(layer->isBlend() || alpha < 1.0f, layer->getMode(), false);
1133        setupDrawProgram();
1134        setupDrawDirtyRegionsDisabled();
1135        setupDrawPureColorUniforms();
1136        setupDrawColorFilterUniforms();
1137        setupDrawTexture(layer->getTexture());
1138        if (currentTransform().isPureTranslate()) {
1139            const float x = (int) floorf(rect.left + currentTransform().getTranslateX() + 0.5f);
1140            const float y = (int) floorf(rect.top + currentTransform().getTranslateY() + 0.5f);
1141
1142            layer->setFilter(GL_NEAREST);
1143            setupDrawModelViewTranslate(x, y, x + rect.getWidth(), y + rect.getHeight(), true);
1144        } else {
1145            layer->setFilter(GL_LINEAR);
1146            setupDrawModelViewTranslate(rect.left, rect.top, rect.right, rect.bottom);
1147        }
1148        setupDrawMeshIndices(&mesh[0].position[0], &mesh[0].texture[0]);
1149
1150        for (size_t i = 0; i < count; i++) {
1151            const android::Rect* r = &rects[i];
1152
1153            const float u1 = r->left * texX;
1154            const float v1 = (height - r->top) * texY;
1155            const float u2 = r->right * texX;
1156            const float v2 = (height - r->bottom) * texY;
1157
1158            // TODO: Reject quads outside of the clip
1159            TextureVertex::set(mesh++, r->left, r->top, u1, v1);
1160            TextureVertex::set(mesh++, r->right, r->top, u2, v1);
1161            TextureVertex::set(mesh++, r->left, r->bottom, u1, v2);
1162            TextureVertex::set(mesh++, r->right, r->bottom, u2, v2);
1163
1164            numQuads++;
1165
1166            if (numQuads >= REGION_MESH_QUAD_COUNT) {
1167                glDrawElements(GL_TRIANGLES, numQuads * 6, GL_UNSIGNED_SHORT, NULL);
1168                numQuads = 0;
1169                mesh = mCaches.getRegionMesh();
1170            }
1171        }
1172
1173        if (numQuads > 0) {
1174            glDrawElements(GL_TRIANGLES, numQuads * 6, GL_UNSIGNED_SHORT, NULL);
1175        }
1176
1177        finishDrawTexture();
1178
1179#if DEBUG_LAYERS_AS_REGIONS
1180        drawRegionRects(layer->region);
1181#endif
1182
1183        layer->region.clear();
1184    }
1185}
1186
1187void OpenGLRenderer::drawRegionRects(const Region& region) {
1188#if DEBUG_LAYERS_AS_REGIONS
1189    size_t count;
1190    const android::Rect* rects = region.getArray(&count);
1191
1192    uint32_t colors[] = {
1193            0x7fff0000, 0x7f00ff00,
1194            0x7f0000ff, 0x7fff00ff,
1195    };
1196
1197    int offset = 0;
1198    int32_t top = rects[0].top;
1199
1200    for (size_t i = 0; i < count; i++) {
1201        if (top != rects[i].top) {
1202            offset ^= 0x2;
1203            top = rects[i].top;
1204        }
1205
1206        Rect r(rects[i].left, rects[i].top, rects[i].right, rects[i].bottom);
1207        drawColorRect(r.left, r.top, r.right, r.bottom, colors[offset + (i & 0x1)],
1208                SkXfermode::kSrcOver_Mode);
1209    }
1210#endif
1211}
1212
1213void OpenGLRenderer::drawRegionRects(const SkRegion& region, int color,
1214        SkXfermode::Mode mode, bool dirty) {
1215    int count = 0;
1216    Vector<float> rects;
1217
1218    SkRegion::Iterator it(region);
1219    while (!it.done()) {
1220        const SkIRect& r = it.rect();
1221        rects.push(r.fLeft);
1222        rects.push(r.fTop);
1223        rects.push(r.fRight);
1224        rects.push(r.fBottom);
1225        count += 4;
1226        it.next();
1227    }
1228
1229    drawColorRects(rects.array(), count, color, mode, true, dirty, false);
1230}
1231
1232void OpenGLRenderer::dirtyLayer(const float left, const float top,
1233        const float right, const float bottom, const mat4 transform) {
1234    if (hasLayer()) {
1235        Rect bounds(left, top, right, bottom);
1236        transform.mapRect(bounds);
1237        dirtyLayerUnchecked(bounds, getRegion());
1238    }
1239}
1240
1241void OpenGLRenderer::dirtyLayer(const float left, const float top,
1242        const float right, const float bottom) {
1243    if (hasLayer()) {
1244        Rect bounds(left, top, right, bottom);
1245        dirtyLayerUnchecked(bounds, getRegion());
1246    }
1247}
1248
1249void OpenGLRenderer::dirtyLayerUnchecked(Rect& bounds, Region* region) {
1250    if (bounds.intersect(*mSnapshot->clipRect)) {
1251        bounds.snapToPixelBoundaries();
1252        android::Rect dirty(bounds.left, bounds.top, bounds.right, bounds.bottom);
1253        if (!dirty.isEmpty()) {
1254            region->orSelf(dirty);
1255        }
1256    }
1257}
1258
1259void OpenGLRenderer::clearLayerRegions() {
1260    const size_t count = mLayers.size();
1261    if (count == 0) return;
1262
1263    if (!mSnapshot->isIgnored()) {
1264        // Doing several glScissor/glClear here can negatively impact
1265        // GPUs with a tiler architecture, instead we draw quads with
1266        // the Clear blending mode
1267
1268        // The list contains bounds that have already been clipped
1269        // against their initial clip rect, and the current clip
1270        // is likely different so we need to disable clipping here
1271        bool scissorChanged = mCaches.disableScissor();
1272
1273        Vertex mesh[count * 6];
1274        Vertex* vertex = mesh;
1275
1276        for (uint32_t i = 0; i < count; i++) {
1277            Rect* bounds = mLayers.itemAt(i);
1278
1279            Vertex::set(vertex++, bounds->left, bounds->bottom);
1280            Vertex::set(vertex++, bounds->left, bounds->top);
1281            Vertex::set(vertex++, bounds->right, bounds->top);
1282            Vertex::set(vertex++, bounds->left, bounds->bottom);
1283            Vertex::set(vertex++, bounds->right, bounds->top);
1284            Vertex::set(vertex++, bounds->right, bounds->bottom);
1285
1286            delete bounds;
1287        }
1288        // We must clear the list of dirty rects before we
1289        // call setupDraw() to prevent stencil setup to do
1290        // the same thing again
1291        mLayers.clear();
1292
1293        setupDraw(false);
1294        setupDrawColor(0.0f, 0.0f, 0.0f, 1.0f);
1295        setupDrawBlending(true, SkXfermode::kClear_Mode);
1296        setupDrawProgram();
1297        setupDrawPureColorUniforms();
1298        setupDrawModelViewTranslate(0.0f, 0.0f, 0.0f, 0.0f, true);
1299        setupDrawVertices(&mesh[0].position[0]);
1300
1301        glDrawArrays(GL_TRIANGLES, 0, count * 6);
1302
1303        if (scissorChanged) mCaches.enableScissor();
1304    } else {
1305        for (uint32_t i = 0; i < count; i++) {
1306            delete mLayers.itemAt(i);
1307        }
1308        mLayers.clear();
1309    }
1310}
1311
1312///////////////////////////////////////////////////////////////////////////////
1313// State Deferral
1314///////////////////////////////////////////////////////////////////////////////
1315
1316bool OpenGLRenderer::storeDisplayState(DeferredDisplayState& state, int stateDeferFlags) {
1317    const Rect& currentClip = *(mSnapshot->clipRect);
1318    const mat4& currentMatrix = *(mSnapshot->transform);
1319
1320    if (stateDeferFlags & kStateDeferFlag_Draw) {
1321        // state has bounds initialized in local coordinates
1322        if (!state.mBounds.isEmpty()) {
1323            currentMatrix.mapRect(state.mBounds);
1324            if (!state.mBounds.intersect(currentClip)) {
1325                // quick rejected
1326                return true;
1327            }
1328        } else {
1329            state.mBounds.set(currentClip);
1330        }
1331    }
1332
1333    if (stateDeferFlags & kStateDeferFlag_Clip) {
1334        state.mClip.set(currentClip);
1335    } else {
1336        state.mClip.setEmpty();
1337    }
1338
1339    // Transform, drawModifiers, and alpha always deferred, since they are used by state operations
1340    // (Note: saveLayer/restore use colorFilter and alpha, so we just save restore everything)
1341    state.mMatrix.load(currentMatrix);
1342    state.mDrawModifiers = mDrawModifiers;
1343    state.mAlpha = mSnapshot->alpha;
1344    return false;
1345}
1346
1347void OpenGLRenderer::restoreDisplayState(const DeferredDisplayState& state) {
1348    currentTransform().load(state.mMatrix);
1349    mDrawModifiers = state.mDrawModifiers;
1350    mSnapshot->alpha = state.mAlpha;
1351
1352    if (!state.mClip.isEmpty()) {
1353        mSnapshot->setClip(state.mClip.left, state.mClip.top, state.mClip.right, state.mClip.bottom);
1354        dirtyClip();
1355    }
1356}
1357
1358///////////////////////////////////////////////////////////////////////////////
1359// Transforms
1360///////////////////////////////////////////////////////////////////////////////
1361
1362void OpenGLRenderer::translate(float dx, float dy) {
1363    currentTransform().translate(dx, dy, 0.0f);
1364}
1365
1366void OpenGLRenderer::rotate(float degrees) {
1367    currentTransform().rotate(degrees, 0.0f, 0.0f, 1.0f);
1368}
1369
1370void OpenGLRenderer::scale(float sx, float sy) {
1371    currentTransform().scale(sx, sy, 1.0f);
1372}
1373
1374void OpenGLRenderer::skew(float sx, float sy) {
1375    currentTransform().skew(sx, sy);
1376}
1377
1378void OpenGLRenderer::setMatrix(SkMatrix* matrix) {
1379    if (matrix) {
1380        currentTransform().load(*matrix);
1381    } else {
1382        currentTransform().loadIdentity();
1383    }
1384}
1385
1386bool OpenGLRenderer::hasRectToRectTransform() {
1387    return CC_LIKELY(currentTransform().rectToRect());
1388}
1389
1390void OpenGLRenderer::getMatrix(SkMatrix* matrix) {
1391    currentTransform().copyTo(*matrix);
1392}
1393
1394void OpenGLRenderer::concatMatrix(SkMatrix* matrix) {
1395    SkMatrix transform;
1396    currentTransform().copyTo(transform);
1397    transform.preConcat(*matrix);
1398    currentTransform().load(transform);
1399}
1400
1401///////////////////////////////////////////////////////////////////////////////
1402// Clipping
1403///////////////////////////////////////////////////////////////////////////////
1404
1405void OpenGLRenderer::setScissorFromClip() {
1406    Rect clip(*mSnapshot->clipRect);
1407    clip.snapToPixelBoundaries();
1408
1409    if (mCaches.setScissor(clip.left, mSnapshot->height - clip.bottom,
1410            clip.getWidth(), clip.getHeight())) {
1411        mDirtyClip = false;
1412    }
1413}
1414
1415void OpenGLRenderer::ensureStencilBuffer() {
1416    // Thanks to the mismatch between EGL and OpenGL ES FBO we
1417    // cannot attach a stencil buffer to fbo0 dynamically. Let's
1418    // just hope we have one when hasLayer() returns false.
1419    if (hasLayer()) {
1420        attachStencilBufferToLayer(mSnapshot->layer);
1421    }
1422}
1423
1424void OpenGLRenderer::attachStencilBufferToLayer(Layer* layer) {
1425    // The layer's FBO is already bound when we reach this stage
1426    if (!layer->getStencilRenderBuffer()) {
1427        // GL_QCOM_tiled_rendering doesn't like it if a renderbuffer
1428        // is attached after we initiated tiling. We must turn it off,
1429        // attach the new render buffer then turn tiling back on
1430        endTiling();
1431
1432        RenderBuffer* buffer = mCaches.renderBufferCache.get(
1433                Stencil::getSmallestStencilFormat(), layer->getWidth(), layer->getHeight());
1434        layer->setStencilRenderBuffer(buffer);
1435
1436        startTiling(layer->clipRect, layer->layer.getHeight());
1437    }
1438}
1439
1440void OpenGLRenderer::setStencilFromClip() {
1441    if (!mCaches.debugOverdraw) {
1442        if (!mSnapshot->clipRegion->isEmpty()) {
1443            // NOTE: The order here is important, we must set dirtyClip to false
1444            //       before any draw call to avoid calling back into this method
1445            mDirtyClip = false;
1446
1447            ensureStencilBuffer();
1448
1449            mCaches.stencil.enableWrite();
1450
1451            // Clear the stencil but first make sure we restrict drawing
1452            // to the region's bounds
1453            bool resetScissor = mCaches.enableScissor();
1454            if (resetScissor) {
1455                // The scissor was not set so we now need to update it
1456                setScissorFromClip();
1457            }
1458            mCaches.stencil.clear();
1459            if (resetScissor) mCaches.disableScissor();
1460
1461            // NOTE: We could use the region contour path to generate a smaller mesh
1462            //       Since we are using the stencil we could use the red book path
1463            //       drawing technique. It might increase bandwidth usage though.
1464
1465            // The last parameter is important: we are not drawing in the color buffer
1466            // so we don't want to dirty the current layer, if any
1467            drawRegionRects(*mSnapshot->clipRegion, 0xff000000, SkXfermode::kSrc_Mode, false);
1468
1469            mCaches.stencil.enableTest();
1470
1471            // Draw the region used to generate the stencil if the appropriate debug
1472            // mode is enabled
1473            if (mCaches.debugStencilClip == Caches::kStencilShowRegion) {
1474                drawRegionRects(*mSnapshot->clipRegion, 0x7f0000ff, SkXfermode::kSrcOver_Mode);
1475            }
1476        } else {
1477            mCaches.stencil.disable();
1478        }
1479    }
1480}
1481
1482const Rect& OpenGLRenderer::getClipBounds() {
1483    return mSnapshot->getLocalClip();
1484}
1485
1486bool OpenGLRenderer::quickRejectNoScissor(float left, float top, float right, float bottom) {
1487    if (mSnapshot->isIgnored()) {
1488        return true;
1489    }
1490
1491    Rect r(left, top, right, bottom);
1492    currentTransform().mapRect(r);
1493    r.snapToPixelBoundaries();
1494
1495    Rect clipRect(*mSnapshot->clipRect);
1496    clipRect.snapToPixelBoundaries();
1497
1498    return !clipRect.intersects(r);
1499}
1500
1501bool OpenGLRenderer::quickRejectNoScissor(float left, float top, float right, float bottom,
1502        Rect& transformed, Rect& clip) {
1503    if (mSnapshot->isIgnored()) {
1504        return true;
1505    }
1506
1507    transformed.set(left, top, right, bottom);
1508    currentTransform().mapRect(transformed);
1509    transformed.snapToPixelBoundaries();
1510
1511    clip.set(*mSnapshot->clipRect);
1512    clip.snapToPixelBoundaries();
1513
1514    return !clip.intersects(transformed);
1515}
1516
1517bool OpenGLRenderer::quickRejectPreStroke(float left, float top, float right, float bottom,
1518        SkPaint* paint) {
1519    if (paint->getStyle() != SkPaint::kFill_Style) {
1520        float outset = paint->getStrokeWidth() * 0.5f;
1521        return quickReject(left - outset, top - outset, right + outset, bottom + outset);
1522    } else {
1523        return quickReject(left, top, right, bottom);
1524    }
1525}
1526
1527bool OpenGLRenderer::quickReject(float left, float top, float right, float bottom) {
1528    if (mSnapshot->isIgnored() || bottom <= top || right <= left) {
1529        return true;
1530    }
1531
1532    Rect r(left, top, right, bottom);
1533    currentTransform().mapRect(r);
1534    r.snapToPixelBoundaries();
1535
1536    Rect clipRect(*mSnapshot->clipRect);
1537    clipRect.snapToPixelBoundaries();
1538
1539    bool rejected = !clipRect.intersects(r);
1540    if (!isDeferred() && !rejected) {
1541        mCaches.setScissorEnabled(mScissorOptimizationDisabled || !clipRect.contains(r));
1542    }
1543
1544    return rejected;
1545}
1546
1547void OpenGLRenderer::debugClip() {
1548#if DEBUG_CLIP_REGIONS
1549    if (!isDeferred() && !mSnapshot->clipRegion->isEmpty()) {
1550        drawRegionRects(*mSnapshot->clipRegion, 0x7f00ff00, SkXfermode::kSrcOver_Mode);
1551    }
1552#endif
1553}
1554
1555bool OpenGLRenderer::clipRect(float left, float top, float right, float bottom, SkRegion::Op op) {
1556    if (CC_LIKELY(currentTransform().rectToRect())) {
1557        bool clipped = mSnapshot->clip(left, top, right, bottom, op);
1558        if (clipped) {
1559            dirtyClip();
1560        }
1561        return !mSnapshot->clipRect->isEmpty();
1562    }
1563
1564    SkPath path;
1565    path.addRect(left, top, right, bottom);
1566
1567    return clipPath(&path, op);
1568}
1569
1570bool OpenGLRenderer::clipPath(SkPath* path, SkRegion::Op op) {
1571    SkMatrix transform;
1572    currentTransform().copyTo(transform);
1573
1574    SkPath transformed;
1575    path->transform(transform, &transformed);
1576
1577    SkRegion clip;
1578    if (!mSnapshot->clipRegion->isEmpty()) {
1579        clip.setRegion(*mSnapshot->clipRegion);
1580    } else {
1581        Rect* bounds = mSnapshot->clipRect;
1582        clip.setRect(bounds->left, bounds->top, bounds->right, bounds->bottom);
1583    }
1584
1585    SkRegion region;
1586    region.setPath(transformed, clip);
1587
1588    bool clipped = mSnapshot->clipRegionTransformed(region, op);
1589    if (clipped) {
1590        dirtyClip();
1591    }
1592    return !mSnapshot->clipRect->isEmpty();
1593}
1594
1595bool OpenGLRenderer::clipRegion(SkRegion* region, SkRegion::Op op) {
1596    bool clipped = mSnapshot->clipRegionTransformed(*region, op);
1597    if (clipped) {
1598        dirtyClip();
1599    }
1600    return !mSnapshot->clipRect->isEmpty();
1601}
1602
1603Rect* OpenGLRenderer::getClipRect() {
1604    return mSnapshot->clipRect;
1605}
1606
1607///////////////////////////////////////////////////////////////////////////////
1608// Drawing commands
1609///////////////////////////////////////////////////////////////////////////////
1610
1611void OpenGLRenderer::setupDraw(bool clear) {
1612    // TODO: It would be best if we could do this before quickReject()
1613    //       changes the scissor test state
1614    if (clear) clearLayerRegions();
1615    // Make sure setScissor & setStencil happen at the beginning of
1616    // this method
1617    if (mDirtyClip) {
1618        if (mCaches.scissorEnabled) {
1619            setScissorFromClip();
1620        }
1621        setStencilFromClip();
1622    }
1623
1624    mDescription.reset();
1625
1626    mSetShaderColor = false;
1627    mColorSet = false;
1628    mColorA = mColorR = mColorG = mColorB = 0.0f;
1629    mTextureUnit = 0;
1630    mTrackDirtyRegions = true;
1631
1632    // Enable debug highlight when what we're about to draw is tested against
1633    // the stencil buffer and if stencil highlight debugging is on
1634    mDescription.hasDebugHighlight = !mCaches.debugOverdraw &&
1635            mCaches.debugStencilClip == Caches::kStencilShowHighlight &&
1636            mCaches.stencil.isTestEnabled();
1637}
1638
1639void OpenGLRenderer::setupDrawWithTexture(bool isAlpha8) {
1640    mDescription.hasTexture = true;
1641    mDescription.hasAlpha8Texture = isAlpha8;
1642}
1643
1644void OpenGLRenderer::setupDrawWithTextureAndColor(bool isAlpha8) {
1645    mDescription.hasTexture = true;
1646    mDescription.hasColors = true;
1647    mDescription.hasAlpha8Texture = isAlpha8;
1648}
1649
1650void OpenGLRenderer::setupDrawWithExternalTexture() {
1651    mDescription.hasExternalTexture = true;
1652}
1653
1654void OpenGLRenderer::setupDrawNoTexture() {
1655    mCaches.disableTexCoordsVertexArray();
1656}
1657
1658void OpenGLRenderer::setupDrawAA() {
1659    mDescription.isAA = true;
1660}
1661
1662void OpenGLRenderer::setupDrawPoint(float pointSize) {
1663    mDescription.isPoint = true;
1664    mDescription.pointSize = pointSize;
1665}
1666
1667void OpenGLRenderer::setupDrawColor(int color, int alpha) {
1668    mColorA = alpha / 255.0f;
1669    mColorR = mColorA * ((color >> 16) & 0xFF) / 255.0f;
1670    mColorG = mColorA * ((color >>  8) & 0xFF) / 255.0f;
1671    mColorB = mColorA * ((color      ) & 0xFF) / 255.0f;
1672    mColorSet = true;
1673    mSetShaderColor = mDescription.setColor(mColorR, mColorG, mColorB, mColorA);
1674}
1675
1676void OpenGLRenderer::setupDrawAlpha8Color(int color, int alpha) {
1677    mColorA = alpha / 255.0f;
1678    mColorR = mColorA * ((color >> 16) & 0xFF) / 255.0f;
1679    mColorG = mColorA * ((color >>  8) & 0xFF) / 255.0f;
1680    mColorB = mColorA * ((color      ) & 0xFF) / 255.0f;
1681    mColorSet = true;
1682    mSetShaderColor = mDescription.setAlpha8Color(mColorR, mColorG, mColorB, mColorA);
1683}
1684
1685void OpenGLRenderer::setupDrawTextGamma(const SkPaint* paint) {
1686    mCaches.fontRenderer->describe(mDescription, paint);
1687}
1688
1689void OpenGLRenderer::setupDrawColor(float r, float g, float b, float a) {
1690    mColorA = a;
1691    mColorR = r;
1692    mColorG = g;
1693    mColorB = b;
1694    mColorSet = true;
1695    mSetShaderColor = mDescription.setColor(r, g, b, a);
1696}
1697
1698void OpenGLRenderer::setupDrawShader() {
1699    if (mDrawModifiers.mShader) {
1700        mDrawModifiers.mShader->describe(mDescription, mExtensions);
1701    }
1702}
1703
1704void OpenGLRenderer::setupDrawColorFilter() {
1705    if (mDrawModifiers.mColorFilter) {
1706        mDrawModifiers.mColorFilter->describe(mDescription, mExtensions);
1707    }
1708}
1709
1710void OpenGLRenderer::accountForClear(SkXfermode::Mode mode) {
1711    if (mColorSet && mode == SkXfermode::kClear_Mode) {
1712        mColorA = 1.0f;
1713        mColorR = mColorG = mColorB = 0.0f;
1714        mSetShaderColor = mDescription.modulate = true;
1715    }
1716}
1717
1718void OpenGLRenderer::setupDrawBlending(SkXfermode::Mode mode, bool swapSrcDst) {
1719    // When the blending mode is kClear_Mode, we need to use a modulate color
1720    // argb=1,0,0,0
1721    accountForClear(mode);
1722    bool blend = (mColorSet && mColorA < 1.0f) ||
1723            (mDrawModifiers.mShader && mDrawModifiers.mShader->blend());
1724    chooseBlending(blend, mode, mDescription, swapSrcDst);
1725}
1726
1727void OpenGLRenderer::setupDrawBlending(bool blend, SkXfermode::Mode mode, bool swapSrcDst) {
1728    // When the blending mode is kClear_Mode, we need to use a modulate color
1729    // argb=1,0,0,0
1730    accountForClear(mode);
1731    blend |= (mColorSet && mColorA < 1.0f) ||
1732            (mDrawModifiers.mShader && mDrawModifiers.mShader->blend()) ||
1733            (mDrawModifiers.mColorFilter && mDrawModifiers.mColorFilter->blend());
1734    chooseBlending(blend, mode, mDescription, swapSrcDst);
1735}
1736
1737void OpenGLRenderer::setupDrawProgram() {
1738    useProgram(mCaches.programCache.get(mDescription));
1739}
1740
1741void OpenGLRenderer::setupDrawDirtyRegionsDisabled() {
1742    mTrackDirtyRegions = false;
1743}
1744
1745void OpenGLRenderer::setupDrawModelViewTranslate(float left, float top, float right, float bottom,
1746        bool ignoreTransform) {
1747    mModelView.loadTranslate(left, top, 0.0f);
1748    if (!ignoreTransform) {
1749        mCaches.currentProgram->set(mOrthoMatrix, mModelView, currentTransform());
1750        if (mTrackDirtyRegions) dirtyLayer(left, top, right, bottom, currentTransform());
1751    } else {
1752        mCaches.currentProgram->set(mOrthoMatrix, mModelView, mat4::identity());
1753        if (mTrackDirtyRegions) dirtyLayer(left, top, right, bottom);
1754    }
1755}
1756
1757void OpenGLRenderer::setupDrawModelViewIdentity(bool offset) {
1758    mCaches.currentProgram->set(mOrthoMatrix, mat4::identity(), currentTransform(), offset);
1759}
1760
1761void OpenGLRenderer::setupDrawModelView(float left, float top, float right, float bottom,
1762        bool ignoreTransform, bool ignoreModelView) {
1763    if (!ignoreModelView) {
1764        mModelView.loadTranslate(left, top, 0.0f);
1765        mModelView.scale(right - left, bottom - top, 1.0f);
1766    } else {
1767        mModelView.loadIdentity();
1768    }
1769    bool dirty = right - left > 0.0f && bottom - top > 0.0f;
1770    if (!ignoreTransform) {
1771        mCaches.currentProgram->set(mOrthoMatrix, mModelView, currentTransform());
1772        if (mTrackDirtyRegions && dirty) {
1773            dirtyLayer(left, top, right, bottom, currentTransform());
1774        }
1775    } else {
1776        mCaches.currentProgram->set(mOrthoMatrix, mModelView, mat4::identity());
1777        if (mTrackDirtyRegions && dirty) dirtyLayer(left, top, right, bottom);
1778    }
1779}
1780
1781void OpenGLRenderer::setupDrawPointUniforms() {
1782    int slot = mCaches.currentProgram->getUniform("pointSize");
1783    glUniform1f(slot, mDescription.pointSize);
1784}
1785
1786void OpenGLRenderer::setupDrawColorUniforms() {
1787    if ((mColorSet && !mDrawModifiers.mShader) || (mDrawModifiers.mShader && mSetShaderColor)) {
1788        mCaches.currentProgram->setColor(mColorR, mColorG, mColorB, mColorA);
1789    }
1790}
1791
1792void OpenGLRenderer::setupDrawPureColorUniforms() {
1793    if (mSetShaderColor) {
1794        mCaches.currentProgram->setColor(mColorR, mColorG, mColorB, mColorA);
1795    }
1796}
1797
1798void OpenGLRenderer::setupDrawShaderUniforms(bool ignoreTransform) {
1799    if (mDrawModifiers.mShader) {
1800        if (ignoreTransform) {
1801            mModelView.loadInverse(currentTransform());
1802        }
1803        mDrawModifiers.mShader->setupProgram(mCaches.currentProgram,
1804                mModelView, *mSnapshot, &mTextureUnit);
1805    }
1806}
1807
1808void OpenGLRenderer::setupDrawShaderIdentityUniforms() {
1809    if (mDrawModifiers.mShader) {
1810        mDrawModifiers.mShader->setupProgram(mCaches.currentProgram,
1811                mat4::identity(), *mSnapshot, &mTextureUnit);
1812    }
1813}
1814
1815void OpenGLRenderer::setupDrawColorFilterUniforms() {
1816    if (mDrawModifiers.mColorFilter) {
1817        mDrawModifiers.mColorFilter->setupProgram(mCaches.currentProgram);
1818    }
1819}
1820
1821void OpenGLRenderer::setupDrawTextGammaUniforms() {
1822    mCaches.fontRenderer->setupProgram(mDescription, mCaches.currentProgram);
1823}
1824
1825void OpenGLRenderer::setupDrawSimpleMesh() {
1826    bool force = mCaches.bindMeshBuffer();
1827    mCaches.bindPositionVertexPointer(force, 0);
1828    mCaches.unbindIndicesBuffer();
1829}
1830
1831void OpenGLRenderer::setupDrawTexture(GLuint texture) {
1832    if (texture) bindTexture(texture);
1833    mTextureUnit++;
1834    mCaches.enableTexCoordsVertexArray();
1835}
1836
1837void OpenGLRenderer::setupDrawExternalTexture(GLuint texture) {
1838    bindExternalTexture(texture);
1839    mTextureUnit++;
1840    mCaches.enableTexCoordsVertexArray();
1841}
1842
1843void OpenGLRenderer::setupDrawTextureTransform() {
1844    mDescription.hasTextureTransform = true;
1845}
1846
1847void OpenGLRenderer::setupDrawTextureTransformUniforms(mat4& transform) {
1848    glUniformMatrix4fv(mCaches.currentProgram->getUniform("mainTextureTransform"), 1,
1849            GL_FALSE, &transform.data[0]);
1850}
1851
1852void OpenGLRenderer::setupDrawMesh(GLvoid* vertices, GLvoid* texCoords, GLuint vbo) {
1853    bool force = false;
1854    if (!vertices) {
1855        force = mCaches.bindMeshBuffer(vbo == 0 ? mCaches.meshBuffer : vbo);
1856    } else {
1857        force = mCaches.unbindMeshBuffer();
1858    }
1859
1860    mCaches.bindPositionVertexPointer(force, vertices);
1861    if (mCaches.currentProgram->texCoords >= 0) {
1862        mCaches.bindTexCoordsVertexPointer(force, texCoords);
1863    }
1864
1865    mCaches.unbindIndicesBuffer();
1866}
1867
1868void OpenGLRenderer::setupDrawMesh(GLvoid* vertices, GLvoid* texCoords, GLvoid* colors) {
1869    bool force = mCaches.unbindMeshBuffer();
1870    GLsizei stride = sizeof(ColorTextureVertex);
1871
1872    mCaches.bindPositionVertexPointer(force, vertices, stride);
1873    if (mCaches.currentProgram->texCoords >= 0) {
1874        mCaches.bindTexCoordsVertexPointer(force, texCoords, stride);
1875    }
1876    int slot = mCaches.currentProgram->getAttrib("colors");
1877    if (slot >= 0) {
1878        glEnableVertexAttribArray(slot);
1879        glVertexAttribPointer(slot, 4, GL_FLOAT, GL_FALSE, stride, colors);
1880    }
1881
1882    mCaches.unbindIndicesBuffer();
1883}
1884
1885void OpenGLRenderer::setupDrawMeshIndices(GLvoid* vertices, GLvoid* texCoords) {
1886    bool force = mCaches.unbindMeshBuffer();
1887    mCaches.bindPositionVertexPointer(force, vertices);
1888    if (mCaches.currentProgram->texCoords >= 0) {
1889        mCaches.bindTexCoordsVertexPointer(force, texCoords);
1890    }
1891}
1892
1893void OpenGLRenderer::setupDrawVertices(GLvoid* vertices) {
1894    bool force = mCaches.unbindMeshBuffer();
1895    mCaches.bindPositionVertexPointer(force, vertices, gVertexStride);
1896    mCaches.unbindIndicesBuffer();
1897}
1898
1899void OpenGLRenderer::finishDrawTexture() {
1900}
1901
1902///////////////////////////////////////////////////////////////////////////////
1903// Drawing
1904///////////////////////////////////////////////////////////////////////////////
1905
1906status_t OpenGLRenderer::drawDisplayList(DisplayList* displayList, Rect& dirty,
1907        int32_t replayFlags) {
1908    // All the usual checks and setup operations (quickReject, setupDraw, etc.)
1909    // will be performed by the display list itself
1910    if (displayList && displayList->isRenderable()) {
1911        if (CC_UNLIKELY(mCaches.drawDeferDisabled)) {
1912            startFrame();
1913            ReplayStateStruct replayStruct(*this, dirty, replayFlags);
1914            displayList->replay(replayStruct, 0);
1915            return replayStruct.mDrawGlStatus;
1916        }
1917
1918        DeferredDisplayList deferredList;
1919        DeferStateStruct deferStruct(deferredList, *this, replayFlags);
1920        displayList->defer(deferStruct, 0);
1921
1922        flushLayers();
1923        startFrame();
1924
1925        return deferredList.flush(*this, dirty);
1926    }
1927
1928    return DrawGlInfo::kStatusDone;
1929}
1930
1931void OpenGLRenderer::outputDisplayList(DisplayList* displayList) {
1932    if (displayList) {
1933        displayList->output(1);
1934    }
1935}
1936
1937void OpenGLRenderer::drawAlphaBitmap(Texture* texture, float left, float top, SkPaint* paint) {
1938    int alpha;
1939    SkXfermode::Mode mode;
1940    getAlphaAndMode(paint, &alpha, &mode);
1941
1942    int color = paint != NULL ? paint->getColor() : 0;
1943
1944    float x = left;
1945    float y = top;
1946
1947    texture->setWrap(GL_CLAMP_TO_EDGE, true);
1948
1949    bool ignoreTransform = false;
1950    if (currentTransform().isPureTranslate()) {
1951        x = (int) floorf(left + currentTransform().getTranslateX() + 0.5f);
1952        y = (int) floorf(top + currentTransform().getTranslateY() + 0.5f);
1953        ignoreTransform = true;
1954
1955        texture->setFilter(GL_NEAREST, true);
1956    } else {
1957        texture->setFilter(FILTER(paint), true);
1958    }
1959
1960    drawAlpha8TextureMesh(x, y, x + texture->width, y + texture->height, texture->id,
1961            paint != NULL, color, alpha, mode, (GLvoid*) NULL,
1962            (GLvoid*) gMeshTextureOffset, GL_TRIANGLE_STRIP, gMeshCount, ignoreTransform);
1963}
1964
1965status_t OpenGLRenderer::drawBitmap(SkBitmap* bitmap, float left, float top, SkPaint* paint) {
1966    const float right = left + bitmap->width();
1967    const float bottom = top + bitmap->height();
1968
1969    if (quickReject(left, top, right, bottom)) {
1970        return DrawGlInfo::kStatusDone;
1971    }
1972
1973    mCaches.activeTexture(0);
1974    Texture* texture = mCaches.textureCache.get(bitmap);
1975    if (!texture) return DrawGlInfo::kStatusDone;
1976    const AutoTexture autoCleanup(texture);
1977
1978    if (CC_UNLIKELY(bitmap->getConfig() == SkBitmap::kA8_Config)) {
1979        drawAlphaBitmap(texture, left, top, paint);
1980    } else {
1981        drawTextureRect(left, top, right, bottom, texture, paint);
1982    }
1983
1984    return DrawGlInfo::kStatusDrew;
1985}
1986
1987status_t OpenGLRenderer::drawBitmap(SkBitmap* bitmap, SkMatrix* matrix, SkPaint* paint) {
1988    Rect r(0.0f, 0.0f, bitmap->width(), bitmap->height());
1989    const mat4 transform(*matrix);
1990    transform.mapRect(r);
1991
1992    if (quickReject(r.left, r.top, r.right, r.bottom)) {
1993        return DrawGlInfo::kStatusDone;
1994    }
1995
1996    mCaches.activeTexture(0);
1997    Texture* texture = mCaches.textureCache.get(bitmap);
1998    if (!texture) return DrawGlInfo::kStatusDone;
1999    const AutoTexture autoCleanup(texture);
2000
2001    // This could be done in a cheaper way, all we need is pass the matrix
2002    // to the vertex shader. The save/restore is a bit overkill.
2003    save(SkCanvas::kMatrix_SaveFlag);
2004    concatMatrix(matrix);
2005    if (CC_UNLIKELY(bitmap->getConfig() == SkBitmap::kA8_Config)) {
2006        drawAlphaBitmap(texture, 0.0f, 0.0f, paint);
2007    } else {
2008        drawTextureRect(0.0f, 0.0f, bitmap->width(), bitmap->height(), texture, paint);
2009    }
2010    restore();
2011
2012    return DrawGlInfo::kStatusDrew;
2013}
2014
2015status_t OpenGLRenderer::drawBitmapData(SkBitmap* bitmap, float left, float top, SkPaint* paint) {
2016    const float right = left + bitmap->width();
2017    const float bottom = top + bitmap->height();
2018
2019    if (quickReject(left, top, right, bottom)) {
2020        return DrawGlInfo::kStatusDone;
2021    }
2022
2023    mCaches.activeTexture(0);
2024    Texture* texture = mCaches.textureCache.getTransient(bitmap);
2025    const AutoTexture autoCleanup(texture);
2026
2027    if (CC_UNLIKELY(bitmap->getConfig() == SkBitmap::kA8_Config)) {
2028        drawAlphaBitmap(texture, left, top, paint);
2029    } else {
2030        drawTextureRect(left, top, right, bottom, texture, paint);
2031    }
2032
2033    return DrawGlInfo::kStatusDrew;
2034}
2035
2036status_t OpenGLRenderer::drawBitmapMesh(SkBitmap* bitmap, int meshWidth, int meshHeight,
2037        float* vertices, int* colors, SkPaint* paint) {
2038    if (!vertices || mSnapshot->isIgnored()) {
2039        return DrawGlInfo::kStatusDone;
2040    }
2041
2042    float left = FLT_MAX;
2043    float top = FLT_MAX;
2044    float right = FLT_MIN;
2045    float bottom = FLT_MIN;
2046
2047    const uint32_t count = meshWidth * meshHeight * 6;
2048
2049    ColorTextureVertex mesh[count];
2050    ColorTextureVertex* vertex = mesh;
2051
2052    bool cleanupColors = false;
2053    if (!colors) {
2054        uint32_t colorsCount = (meshWidth + 1) * (meshHeight + 1);
2055        colors = new int[colorsCount];
2056        memset(colors, 0xff, colorsCount * sizeof(int));
2057        cleanupColors = true;
2058    }
2059
2060    for (int32_t y = 0; y < meshHeight; y++) {
2061        for (int32_t x = 0; x < meshWidth; x++) {
2062            uint32_t i = (y * (meshWidth + 1) + x) * 2;
2063
2064            float u1 = float(x) / meshWidth;
2065            float u2 = float(x + 1) / meshWidth;
2066            float v1 = float(y) / meshHeight;
2067            float v2 = float(y + 1) / meshHeight;
2068
2069            int ax = i + (meshWidth + 1) * 2;
2070            int ay = ax + 1;
2071            int bx = i;
2072            int by = bx + 1;
2073            int cx = i + 2;
2074            int cy = cx + 1;
2075            int dx = i + (meshWidth + 1) * 2 + 2;
2076            int dy = dx + 1;
2077
2078            ColorTextureVertex::set(vertex++, vertices[dx], vertices[dy], u2, v2, colors[dx / 2]);
2079            ColorTextureVertex::set(vertex++, vertices[ax], vertices[ay], u1, v2, colors[ax / 2]);
2080            ColorTextureVertex::set(vertex++, vertices[bx], vertices[by], u1, v1, colors[bx / 2]);
2081
2082            ColorTextureVertex::set(vertex++, vertices[dx], vertices[dy], u2, v2, colors[dx / 2]);
2083            ColorTextureVertex::set(vertex++, vertices[bx], vertices[by], u1, v1, colors[bx / 2]);
2084            ColorTextureVertex::set(vertex++, vertices[cx], vertices[cy], u2, v1, colors[cx / 2]);
2085
2086            left = fminf(left, fminf(vertices[ax], fminf(vertices[bx], vertices[cx])));
2087            top = fminf(top, fminf(vertices[ay], fminf(vertices[by], vertices[cy])));
2088            right = fmaxf(right, fmaxf(vertices[ax], fmaxf(vertices[bx], vertices[cx])));
2089            bottom = fmaxf(bottom, fmaxf(vertices[ay], fmaxf(vertices[by], vertices[cy])));
2090        }
2091    }
2092
2093    if (quickReject(left, top, right, bottom)) {
2094        if (cleanupColors) delete[] colors;
2095        return DrawGlInfo::kStatusDone;
2096    }
2097
2098    mCaches.activeTexture(0);
2099    Texture* texture = mCaches.textureCache.get(bitmap);
2100    if (!texture) {
2101        if (cleanupColors) delete[] colors;
2102        return DrawGlInfo::kStatusDone;
2103    }
2104    const AutoTexture autoCleanup(texture);
2105
2106    texture->setWrap(GL_CLAMP_TO_EDGE, true);
2107    texture->setFilter(FILTER(paint), true);
2108
2109    int alpha;
2110    SkXfermode::Mode mode;
2111    getAlphaAndMode(paint, &alpha, &mode);
2112
2113    float a = alpha / 255.0f;
2114
2115    if (hasLayer()) {
2116        dirtyLayer(left, top, right, bottom, currentTransform());
2117    }
2118
2119    setupDraw();
2120    setupDrawWithTextureAndColor();
2121    setupDrawColor(a, a, a, a);
2122    setupDrawColorFilter();
2123    setupDrawBlending(true, mode, false);
2124    setupDrawProgram();
2125    setupDrawDirtyRegionsDisabled();
2126    setupDrawModelView(0.0f, 0.0f, 1.0f, 1.0f, false);
2127    setupDrawTexture(texture->id);
2128    setupDrawPureColorUniforms();
2129    setupDrawColorFilterUniforms();
2130    setupDrawMesh(&mesh[0].position[0], &mesh[0].texture[0], &mesh[0].color[0]);
2131
2132    glDrawArrays(GL_TRIANGLES, 0, count);
2133
2134    finishDrawTexture();
2135
2136    int slot = mCaches.currentProgram->getAttrib("colors");
2137    if (slot >= 0) {
2138        glDisableVertexAttribArray(slot);
2139    }
2140
2141    if (cleanupColors) delete[] colors;
2142
2143    return DrawGlInfo::kStatusDrew;
2144}
2145
2146status_t OpenGLRenderer::drawBitmap(SkBitmap* bitmap,
2147         float srcLeft, float srcTop, float srcRight, float srcBottom,
2148         float dstLeft, float dstTop, float dstRight, float dstBottom,
2149         SkPaint* paint) {
2150    if (quickReject(dstLeft, dstTop, dstRight, dstBottom)) {
2151        return DrawGlInfo::kStatusDone;
2152    }
2153
2154    mCaches.activeTexture(0);
2155    Texture* texture = mCaches.textureCache.get(bitmap);
2156    if (!texture) return DrawGlInfo::kStatusDone;
2157    const AutoTexture autoCleanup(texture);
2158
2159    const float width = texture->width;
2160    const float height = texture->height;
2161
2162    const float u1 = fmax(0.0f, srcLeft / width);
2163    const float v1 = fmax(0.0f, srcTop / height);
2164    const float u2 = fmin(1.0f, srcRight / width);
2165    const float v2 = fmin(1.0f, srcBottom / height);
2166
2167    mCaches.unbindMeshBuffer();
2168    resetDrawTextureTexCoords(u1, v1, u2, v2);
2169
2170    int alpha;
2171    SkXfermode::Mode mode;
2172    getAlphaAndMode(paint, &alpha, &mode);
2173
2174    texture->setWrap(GL_CLAMP_TO_EDGE, true);
2175
2176    float scaleX = (dstRight - dstLeft) / (srcRight - srcLeft);
2177    float scaleY = (dstBottom - dstTop) / (srcBottom - srcTop);
2178
2179    bool scaled = scaleX != 1.0f || scaleY != 1.0f;
2180    // Apply a scale transform on the canvas only when a shader is in use
2181    // Skia handles the ratio between the dst and src rects as a scale factor
2182    // when a shader is set
2183    bool useScaleTransform = mDrawModifiers.mShader && scaled;
2184    bool ignoreTransform = false;
2185
2186    if (CC_LIKELY(currentTransform().isPureTranslate() && !useScaleTransform)) {
2187        float x = (int) floorf(dstLeft + currentTransform().getTranslateX() + 0.5f);
2188        float y = (int) floorf(dstTop + currentTransform().getTranslateY() + 0.5f);
2189
2190        dstRight = x + (dstRight - dstLeft);
2191        dstBottom = y + (dstBottom - dstTop);
2192
2193        dstLeft = x;
2194        dstTop = y;
2195
2196        texture->setFilter(scaled ? FILTER(paint) : GL_NEAREST, true);
2197        ignoreTransform = true;
2198    } else {
2199        texture->setFilter(FILTER(paint), true);
2200    }
2201
2202    if (CC_UNLIKELY(useScaleTransform)) {
2203        save(SkCanvas::kMatrix_SaveFlag);
2204        translate(dstLeft, dstTop);
2205        scale(scaleX, scaleY);
2206
2207        dstLeft = 0.0f;
2208        dstTop = 0.0f;
2209
2210        dstRight = srcRight - srcLeft;
2211        dstBottom = srcBottom - srcTop;
2212    }
2213
2214    if (CC_UNLIKELY(bitmap->getConfig() == SkBitmap::kA8_Config)) {
2215        int color = paint ? paint->getColor() : 0;
2216        drawAlpha8TextureMesh(dstLeft, dstTop, dstRight, dstBottom,
2217                texture->id, paint != NULL, color, alpha, mode,
2218                &mMeshVertices[0].position[0], &mMeshVertices[0].texture[0],
2219                GL_TRIANGLE_STRIP, gMeshCount, ignoreTransform);
2220    } else {
2221        drawTextureMesh(dstLeft, dstTop, dstRight, dstBottom,
2222                texture->id, alpha / 255.0f, mode, texture->blend,
2223                &mMeshVertices[0].position[0], &mMeshVertices[0].texture[0],
2224                GL_TRIANGLE_STRIP, gMeshCount, false, ignoreTransform);
2225    }
2226
2227    if (CC_UNLIKELY(useScaleTransform)) {
2228        restore();
2229    }
2230
2231    resetDrawTextureTexCoords(0.0f, 0.0f, 1.0f, 1.0f);
2232
2233    return DrawGlInfo::kStatusDrew;
2234}
2235
2236status_t OpenGLRenderer::drawPatch(SkBitmap* bitmap, const int32_t* xDivs, const int32_t* yDivs,
2237        const uint32_t* colors, uint32_t width, uint32_t height, int8_t numColors,
2238        float left, float top, float right, float bottom, SkPaint* paint) {
2239    int alpha;
2240    SkXfermode::Mode mode;
2241    getAlphaAndMode(paint, &alpha, &mode);
2242
2243    return drawPatch(bitmap, xDivs, yDivs, colors, width, height, numColors,
2244            left, top, right, bottom, alpha, mode);
2245}
2246
2247status_t OpenGLRenderer::drawPatch(SkBitmap* bitmap, const int32_t* xDivs, const int32_t* yDivs,
2248        const uint32_t* colors, uint32_t width, uint32_t height, int8_t numColors,
2249        float left, float top, float right, float bottom, int alpha, SkXfermode::Mode mode) {
2250    if (quickReject(left, top, right, bottom)) {
2251        return DrawGlInfo::kStatusDone;
2252    }
2253
2254    alpha *= mSnapshot->alpha;
2255
2256    const Patch* mesh = mCaches.patchCache.get(bitmap->width(), bitmap->height(),
2257            right - left, bottom - top, xDivs, yDivs, colors, width, height, numColors);
2258
2259    if (CC_LIKELY(mesh && mesh->verticesCount > 0)) {
2260        mCaches.activeTexture(0);
2261        Texture* texture = mCaches.textureCache.get(bitmap);
2262        if (!texture) return DrawGlInfo::kStatusDone;
2263        const AutoTexture autoCleanup(texture);
2264        texture->setWrap(GL_CLAMP_TO_EDGE, true);
2265        texture->setFilter(GL_LINEAR, true);
2266
2267        const bool pureTranslate = currentTransform().isPureTranslate();
2268        // Mark the current layer dirty where we are going to draw the patch
2269        if (hasLayer() && mesh->hasEmptyQuads) {
2270            const float offsetX = left + currentTransform().getTranslateX();
2271            const float offsetY = top + currentTransform().getTranslateY();
2272            const size_t count = mesh->quads.size();
2273            for (size_t i = 0; i < count; i++) {
2274                const Rect& bounds = mesh->quads.itemAt(i);
2275                if (CC_LIKELY(pureTranslate)) {
2276                    const float x = (int) floorf(bounds.left + offsetX + 0.5f);
2277                    const float y = (int) floorf(bounds.top + offsetY + 0.5f);
2278                    dirtyLayer(x, y, x + bounds.getWidth(), y + bounds.getHeight());
2279                } else {
2280                    dirtyLayer(left + bounds.left, top + bounds.top,
2281                            left + bounds.right, top + bounds.bottom, currentTransform());
2282                }
2283            }
2284        }
2285
2286        if (CC_LIKELY(pureTranslate)) {
2287            const float x = (int) floorf(left + currentTransform().getTranslateX() + 0.5f);
2288            const float y = (int) floorf(top + currentTransform().getTranslateY() + 0.5f);
2289
2290            drawTextureMesh(x, y, x + right - left, y + bottom - top, texture->id, alpha / 255.0f,
2291                    mode, texture->blend, (GLvoid*) 0, (GLvoid*) gMeshTextureOffset,
2292                    GL_TRIANGLES, mesh->verticesCount, false, true, mesh->meshBuffer,
2293                    true, !mesh->hasEmptyQuads);
2294        } else {
2295            drawTextureMesh(left, top, right, bottom, texture->id, alpha / 255.0f,
2296                    mode, texture->blend, (GLvoid*) 0, (GLvoid*) gMeshTextureOffset,
2297                    GL_TRIANGLES, mesh->verticesCount, false, false, mesh->meshBuffer,
2298                    true, !mesh->hasEmptyQuads);
2299        }
2300    }
2301
2302    return DrawGlInfo::kStatusDrew;
2303}
2304
2305status_t OpenGLRenderer::drawVertexBuffer(const VertexBuffer& vertexBuffer, SkPaint* paint,
2306        bool useOffset) {
2307    if (!vertexBuffer.getSize()) {
2308        // no vertices to draw
2309        return DrawGlInfo::kStatusDone;
2310    }
2311
2312    int color = paint->getColor();
2313    SkXfermode::Mode mode = getXfermode(paint->getXfermode());
2314    bool isAA = paint->isAntiAlias();
2315
2316    setupDraw();
2317    setupDrawNoTexture();
2318    if (isAA) setupDrawAA();
2319    setupDrawColor(color, ((color >> 24) & 0xFF) * mSnapshot->alpha);
2320    setupDrawColorFilter();
2321    setupDrawShader();
2322    setupDrawBlending(isAA, mode);
2323    setupDrawProgram();
2324    setupDrawModelViewIdentity(useOffset);
2325    setupDrawColorUniforms();
2326    setupDrawColorFilterUniforms();
2327    setupDrawShaderIdentityUniforms();
2328
2329    void* vertices = vertexBuffer.getBuffer();
2330    bool force = mCaches.unbindMeshBuffer();
2331    mCaches.bindPositionVertexPointer(true, vertices, isAA ? gAlphaVertexStride : gVertexStride);
2332    mCaches.resetTexCoordsVertexPointer();
2333    mCaches.unbindIndicesBuffer();
2334
2335    int alphaSlot = -1;
2336    if (isAA) {
2337        void* alphaCoords = ((GLbyte*) vertices) + gVertexAlphaOffset;
2338        alphaSlot = mCaches.currentProgram->getAttrib("vtxAlpha");
2339
2340        // TODO: avoid enable/disable in back to back uses of the alpha attribute
2341        glEnableVertexAttribArray(alphaSlot);
2342        glVertexAttribPointer(alphaSlot, 1, GL_FLOAT, GL_FALSE, gAlphaVertexStride, alphaCoords);
2343    }
2344
2345    glDrawArrays(GL_TRIANGLE_STRIP, 0, vertexBuffer.getSize());
2346
2347    if (isAA) {
2348        glDisableVertexAttribArray(alphaSlot);
2349    }
2350
2351    return DrawGlInfo::kStatusDrew;
2352}
2353
2354/**
2355 * Renders a convex path via tessellation. For AA paths, this function uses a similar approach to
2356 * that of AA lines in the drawLines() function.  We expand the convex path by a half pixel in
2357 * screen space in all directions. However, instead of using a fragment shader to compute the
2358 * translucency of the color from its position, we simply use a varying parameter to define how far
2359 * a given pixel is from the edge. For non-AA paths, the expansion and alpha varying are not used.
2360 *
2361 * Doesn't yet support joins, caps, or path effects.
2362 */
2363status_t OpenGLRenderer::drawConvexPath(const SkPath& path, SkPaint* paint) {
2364    VertexBuffer vertexBuffer;
2365    // TODO: try clipping large paths to viewport
2366    PathTessellator::tessellatePath(path, paint, mSnapshot->transform, vertexBuffer);
2367
2368    if (hasLayer()) {
2369        SkRect bounds = path.getBounds();
2370        PathTessellator::expandBoundsForStroke(bounds, paint, false);
2371        dirtyLayer(bounds.fLeft, bounds.fTop, bounds.fRight, bounds.fBottom, currentTransform());
2372    }
2373
2374    return drawVertexBuffer(vertexBuffer, paint);
2375}
2376
2377/**
2378 * We create tristrips for the lines much like shape stroke tessellation, using a per-vertex alpha
2379 * and additional geometry for defining an alpha slope perimeter.
2380 *
2381 * Using GL_LINES can be difficult because the rasterization rules for those lines produces some
2382 * unexpected results, and may vary between hardware devices. Previously we used a varying-base
2383 * in-shader alpha region, but found it to be taxing on some GPUs.
2384 *
2385 * TODO: try using a fixed input buffer for non-capped lines as in text rendering. this may reduce
2386 * memory transfer by removing need for degenerate vertices.
2387 */
2388status_t OpenGLRenderer::drawLines(float* points, int count, SkPaint* paint) {
2389    if (mSnapshot->isIgnored() || count < 4) return DrawGlInfo::kStatusDone;
2390
2391    count &= ~0x3; // round down to nearest four
2392
2393    VertexBuffer buffer;
2394    SkRect bounds;
2395    PathTessellator::tessellateLines(points, count, paint, mSnapshot->transform, bounds, buffer);
2396
2397    if (quickReject(bounds.fLeft, bounds.fTop, bounds.fRight, bounds.fBottom)) {
2398        return DrawGlInfo::kStatusDone;
2399    }
2400
2401    dirtyLayer(bounds.fLeft, bounds.fTop, bounds.fRight, bounds.fBottom, currentTransform());
2402
2403    bool useOffset = !paint->isAntiAlias();
2404    return drawVertexBuffer(buffer, paint, useOffset);
2405}
2406
2407status_t OpenGLRenderer::drawPoints(float* points, int count, SkPaint* paint) {
2408    if (mSnapshot->isIgnored()) return DrawGlInfo::kStatusDone;
2409
2410    // TODO: The paint's cap style defines whether the points are square or circular
2411    // TODO: Handle AA for round points
2412
2413    // A stroke width of 0 has a special meaning in Skia:
2414    // it draws an unscaled 1px point
2415    float strokeWidth = paint->getStrokeWidth();
2416    const bool isHairLine = paint->getStrokeWidth() == 0.0f;
2417    if (isHairLine) {
2418        // Now that we know it's hairline, we can set the effective width, to be used later
2419        strokeWidth = 1.0f;
2420    }
2421    const float halfWidth = strokeWidth / 2;
2422
2423    int alpha;
2424    SkXfermode::Mode mode;
2425    getAlphaAndMode(paint, &alpha, &mode);
2426
2427    int verticesCount = count >> 1;
2428    int generatedVerticesCount = 0;
2429
2430    TextureVertex pointsData[verticesCount];
2431    TextureVertex* vertex = &pointsData[0];
2432
2433    // TODO: We should optimize this method to not generate vertices for points
2434    // that lie outside of the clip.
2435    mCaches.enableScissor();
2436
2437    setupDraw();
2438    setupDrawNoTexture();
2439    setupDrawPoint(strokeWidth);
2440    setupDrawColor(paint->getColor(), alpha);
2441    setupDrawColorFilter();
2442    setupDrawShader();
2443    setupDrawBlending(mode);
2444    setupDrawProgram();
2445    setupDrawModelViewIdentity(true);
2446    setupDrawColorUniforms();
2447    setupDrawColorFilterUniforms();
2448    setupDrawPointUniforms();
2449    setupDrawShaderIdentityUniforms();
2450    setupDrawMesh(vertex);
2451
2452    for (int i = 0; i < count; i += 2) {
2453        TextureVertex::set(vertex++, points[i], points[i + 1], 0.0f, 0.0f);
2454        generatedVerticesCount++;
2455
2456        float left = points[i] - halfWidth;
2457        float right = points[i] + halfWidth;
2458        float top = points[i + 1] - halfWidth;
2459        float bottom = points [i + 1] + halfWidth;
2460
2461        dirtyLayer(left, top, right, bottom, currentTransform());
2462    }
2463
2464    glDrawArrays(GL_POINTS, 0, generatedVerticesCount);
2465
2466    return DrawGlInfo::kStatusDrew;
2467}
2468
2469status_t OpenGLRenderer::drawColor(int color, SkXfermode::Mode mode) {
2470    // No need to check against the clip, we fill the clip region
2471    if (mSnapshot->isIgnored()) return DrawGlInfo::kStatusDone;
2472
2473    Rect& clip(*mSnapshot->clipRect);
2474    clip.snapToPixelBoundaries();
2475
2476    drawColorRect(clip.left, clip.top, clip.right, clip.bottom, color, mode, true);
2477
2478    return DrawGlInfo::kStatusDrew;
2479}
2480
2481status_t OpenGLRenderer::drawShape(float left, float top, const PathTexture* texture,
2482        SkPaint* paint) {
2483    if (!texture) return DrawGlInfo::kStatusDone;
2484    const AutoTexture autoCleanup(texture);
2485
2486    const float x = left + texture->left - texture->offset;
2487    const float y = top + texture->top - texture->offset;
2488
2489    drawPathTexture(texture, x, y, paint);
2490
2491    return DrawGlInfo::kStatusDrew;
2492}
2493
2494status_t OpenGLRenderer::drawRoundRect(float left, float top, float right, float bottom,
2495        float rx, float ry, SkPaint* p) {
2496    if (mSnapshot->isIgnored() || quickRejectPreStroke(left, top, right, bottom, p) ||
2497            (p->getAlpha() == 0 && getXfermode(p->getXfermode()) != SkXfermode::kClear_Mode)) {
2498        return DrawGlInfo::kStatusDone;
2499    }
2500
2501    if (p->getPathEffect() != 0) {
2502        mCaches.activeTexture(0);
2503        const PathTexture* texture = mCaches.pathCache.getRoundRect(
2504                right - left, bottom - top, rx, ry, p);
2505        return drawShape(left, top, texture, p);
2506    }
2507
2508    SkPath path;
2509    SkRect rect = SkRect::MakeLTRB(left, top, right, bottom);
2510    if (p->getStyle() == SkPaint::kStrokeAndFill_Style) {
2511        float outset = p->getStrokeWidth() / 2;
2512        rect.outset(outset, outset);
2513        rx += outset;
2514        ry += outset;
2515    }
2516    path.addRoundRect(rect, rx, ry);
2517    return drawConvexPath(path, p);
2518}
2519
2520status_t OpenGLRenderer::drawCircle(float x, float y, float radius, SkPaint* p) {
2521    if (mSnapshot->isIgnored() || quickRejectPreStroke(x - radius, y - radius,
2522            x + radius, y + radius, p) ||
2523            (p->getAlpha() == 0 && getXfermode(p->getXfermode()) != SkXfermode::kClear_Mode)) {
2524        return DrawGlInfo::kStatusDone;
2525    }
2526    if (p->getPathEffect() != 0) {
2527        mCaches.activeTexture(0);
2528        const PathTexture* texture = mCaches.pathCache.getCircle(radius, p);
2529        return drawShape(x - radius, y - radius, texture, p);
2530    }
2531
2532    SkPath path;
2533    if (p->getStyle() == SkPaint::kStrokeAndFill_Style) {
2534        path.addCircle(x, y, radius + p->getStrokeWidth() / 2);
2535    } else {
2536        path.addCircle(x, y, radius);
2537    }
2538    return drawConvexPath(path, p);
2539}
2540
2541status_t OpenGLRenderer::drawOval(float left, float top, float right, float bottom,
2542        SkPaint* p) {
2543    if (mSnapshot->isIgnored() || quickRejectPreStroke(left, top, right, bottom, p) ||
2544            (p->getAlpha() == 0 && getXfermode(p->getXfermode()) != SkXfermode::kClear_Mode)) {
2545        return DrawGlInfo::kStatusDone;
2546    }
2547
2548    if (p->getPathEffect() != 0) {
2549        mCaches.activeTexture(0);
2550        const PathTexture* texture = mCaches.pathCache.getOval(right - left, bottom - top, p);
2551        return drawShape(left, top, texture, p);
2552    }
2553
2554    SkPath path;
2555    SkRect rect = SkRect::MakeLTRB(left, top, right, bottom);
2556    if (p->getStyle() == SkPaint::kStrokeAndFill_Style) {
2557        rect.outset(p->getStrokeWidth() / 2, p->getStrokeWidth() / 2);
2558    }
2559    path.addOval(rect);
2560    return drawConvexPath(path, p);
2561}
2562
2563status_t OpenGLRenderer::drawArc(float left, float top, float right, float bottom,
2564        float startAngle, float sweepAngle, bool useCenter, SkPaint* p) {
2565    if (mSnapshot->isIgnored() || quickRejectPreStroke(left, top, right, bottom, p) ||
2566            (p->getAlpha() == 0 && getXfermode(p->getXfermode()) != SkXfermode::kClear_Mode)) {
2567        return DrawGlInfo::kStatusDone;
2568    }
2569
2570    if (fabs(sweepAngle) >= 360.0f) {
2571        return drawOval(left, top, right, bottom, p);
2572    }
2573
2574    // TODO: support fills (accounting for concavity if useCenter && sweepAngle > 180)
2575    if (p->getStyle() != SkPaint::kStroke_Style || p->getPathEffect() != 0 || useCenter) {
2576        mCaches.activeTexture(0);
2577        const PathTexture* texture = mCaches.pathCache.getArc(right - left, bottom - top,
2578                startAngle, sweepAngle, useCenter, p);
2579        return drawShape(left, top, texture, p);
2580    }
2581
2582    SkRect rect = SkRect::MakeLTRB(left, top, right, bottom);
2583    if (p->getStyle() == SkPaint::kStrokeAndFill_Style) {
2584        rect.outset(p->getStrokeWidth() / 2, p->getStrokeWidth() / 2);
2585    }
2586
2587    SkPath path;
2588    if (useCenter) {
2589        path.moveTo(rect.centerX(), rect.centerY());
2590    }
2591    path.arcTo(rect, startAngle, sweepAngle, !useCenter);
2592    if (useCenter) {
2593        path.close();
2594    }
2595    return drawConvexPath(path, p);
2596}
2597
2598// See SkPaintDefaults.h
2599#define SkPaintDefaults_MiterLimit SkIntToScalar(4)
2600
2601status_t OpenGLRenderer::drawRect(float left, float top, float right, float bottom, SkPaint* p) {
2602    if (mSnapshot->isIgnored() || quickRejectPreStroke(left, top, right, bottom, p) ||
2603            (p->getAlpha() == 0 && getXfermode(p->getXfermode()) != SkXfermode::kClear_Mode)) {
2604        return DrawGlInfo::kStatusDone;
2605    }
2606
2607    if (p->getStyle() != SkPaint::kFill_Style) {
2608        // only fill style is supported by drawConvexPath, since others have to handle joins
2609        if (p->getPathEffect() != 0 || p->getStrokeJoin() != SkPaint::kMiter_Join ||
2610                p->getStrokeMiter() != SkPaintDefaults_MiterLimit) {
2611            mCaches.activeTexture(0);
2612            const PathTexture* texture =
2613                    mCaches.pathCache.getRect(right - left, bottom - top, p);
2614            return drawShape(left, top, texture, p);
2615        }
2616
2617        SkPath path;
2618        SkRect rect = SkRect::MakeLTRB(left, top, right, bottom);
2619        if (p->getStyle() == SkPaint::kStrokeAndFill_Style) {
2620            rect.outset(p->getStrokeWidth() / 2, p->getStrokeWidth() / 2);
2621        }
2622        path.addRect(rect);
2623        return drawConvexPath(path, p);
2624    }
2625
2626    if (p->isAntiAlias() && !currentTransform().isSimple()) {
2627        SkPath path;
2628        path.addRect(left, top, right, bottom);
2629        return drawConvexPath(path, p);
2630    } else {
2631        drawColorRect(left, top, right, bottom, p->getColor(), getXfermode(p->getXfermode()));
2632        return DrawGlInfo::kStatusDrew;
2633    }
2634}
2635
2636void OpenGLRenderer::drawTextShadow(SkPaint* paint, const char* text, int bytesCount, int count,
2637        const float* positions, FontRenderer& fontRenderer, int alpha, SkXfermode::Mode mode,
2638        float x, float y) {
2639    mCaches.activeTexture(0);
2640
2641    // NOTE: The drop shadow will not perform gamma correction
2642    //       if shader-based correction is enabled
2643    mCaches.dropShadowCache.setFontRenderer(fontRenderer);
2644    const ShadowTexture* shadow = mCaches.dropShadowCache.get(
2645            paint, text, bytesCount, count, mDrawModifiers.mShadowRadius, positions);
2646    const AutoTexture autoCleanup(shadow);
2647
2648    const float sx = x - shadow->left + mDrawModifiers.mShadowDx;
2649    const float sy = y - shadow->top + mDrawModifiers.mShadowDy;
2650
2651    const int shadowAlpha = ((mDrawModifiers.mShadowColor >> 24) & 0xFF) * mSnapshot->alpha;
2652    int shadowColor = mDrawModifiers.mShadowColor;
2653    if (mDrawModifiers.mShader) {
2654        shadowColor = 0xffffffff;
2655    }
2656
2657    setupDraw();
2658    setupDrawWithTexture(true);
2659    setupDrawAlpha8Color(shadowColor, shadowAlpha < 255 ? shadowAlpha : alpha);
2660    setupDrawColorFilter();
2661    setupDrawShader();
2662    setupDrawBlending(true, mode);
2663    setupDrawProgram();
2664    setupDrawModelView(sx, sy, sx + shadow->width, sy + shadow->height);
2665    setupDrawTexture(shadow->id);
2666    setupDrawPureColorUniforms();
2667    setupDrawColorFilterUniforms();
2668    setupDrawShaderUniforms();
2669    setupDrawMesh(NULL, (GLvoid*) gMeshTextureOffset);
2670
2671    glDrawArrays(GL_TRIANGLE_STRIP, 0, gMeshCount);
2672}
2673
2674bool OpenGLRenderer::canSkipText(const SkPaint* paint) const {
2675    float alpha = (mDrawModifiers.mHasShadow ? 1.0f : paint->getAlpha()) * mSnapshot->alpha;
2676    return alpha == 0.0f && getXfermode(paint->getXfermode()) == SkXfermode::kSrcOver_Mode;
2677}
2678
2679class TextSetupFunctor: public Functor {
2680public:
2681    TextSetupFunctor(OpenGLRenderer& renderer, float x, float y, bool pureTranslate,
2682            int alpha, SkXfermode::Mode mode, SkPaint* paint): Functor(),
2683            renderer(renderer), x(x), y(y), pureTranslate(pureTranslate),
2684            alpha(alpha), mode(mode), paint(paint) {
2685    }
2686    ~TextSetupFunctor() { }
2687
2688    status_t operator ()(int what, void* data) {
2689        renderer.setupDraw();
2690        renderer.setupDrawTextGamma(paint);
2691        renderer.setupDrawDirtyRegionsDisabled();
2692        renderer.setupDrawWithTexture(true);
2693        renderer.setupDrawAlpha8Color(paint->getColor(), alpha);
2694        renderer.setupDrawColorFilter();
2695        renderer.setupDrawShader();
2696        renderer.setupDrawBlending(true, mode);
2697        renderer.setupDrawProgram();
2698        renderer.setupDrawModelView(x, y, x, y, pureTranslate, true);
2699        // Calling setupDrawTexture with the name 0 will enable the
2700        // uv attributes and increase the texture unit count
2701        // texture binding will be performed by the font renderer as
2702        // needed
2703        renderer.setupDrawTexture(0);
2704        renderer.setupDrawPureColorUniforms();
2705        renderer.setupDrawColorFilterUniforms();
2706        renderer.setupDrawShaderUniforms(pureTranslate);
2707        renderer.setupDrawTextGammaUniforms();
2708
2709        return NO_ERROR;
2710    }
2711
2712    OpenGLRenderer& renderer;
2713    float x;
2714    float y;
2715    bool pureTranslate;
2716    int alpha;
2717    SkXfermode::Mode mode;
2718    SkPaint* paint;
2719};
2720
2721status_t OpenGLRenderer::drawPosText(const char* text, int bytesCount, int count,
2722        const float* positions, SkPaint* paint) {
2723    if (text == NULL || count == 0 || mSnapshot->isIgnored() || canSkipText(paint)) {
2724        return DrawGlInfo::kStatusDone;
2725    }
2726
2727    // NOTE: Skia does not support perspective transform on drawPosText yet
2728    if (!currentTransform().isSimple()) {
2729        return DrawGlInfo::kStatusDone;
2730    }
2731
2732    float x = 0.0f;
2733    float y = 0.0f;
2734    const bool pureTranslate = currentTransform().isPureTranslate();
2735    if (pureTranslate) {
2736        x = (int) floorf(x + currentTransform().getTranslateX() + 0.5f);
2737        y = (int) floorf(y + currentTransform().getTranslateY() + 0.5f);
2738    }
2739
2740    FontRenderer& fontRenderer = mCaches.fontRenderer->getFontRenderer(paint);
2741    fontRenderer.setFont(paint, mat4::identity());
2742
2743    int alpha;
2744    SkXfermode::Mode mode;
2745    getAlphaAndMode(paint, &alpha, &mode);
2746
2747    if (CC_UNLIKELY(mDrawModifiers.mHasShadow)) {
2748        drawTextShadow(paint, text, bytesCount, count, positions, fontRenderer,
2749                alpha, mode, 0.0f, 0.0f);
2750    }
2751
2752    // Pick the appropriate texture filtering
2753    bool linearFilter = currentTransform().changesBounds();
2754    if (pureTranslate && !linearFilter) {
2755        linearFilter = fabs(y - (int) y) > 0.0f || fabs(x - (int) x) > 0.0f;
2756    }
2757    fontRenderer.setTextureFiltering(linearFilter);
2758
2759    const Rect* clip = pureTranslate ? mSnapshot->clipRect : &mSnapshot->getLocalClip();
2760    Rect bounds(FLT_MAX / 2.0f, FLT_MAX / 2.0f, FLT_MIN / 2.0f, FLT_MIN / 2.0f);
2761
2762    const bool hasActiveLayer = hasLayer();
2763
2764    TextSetupFunctor functor(*this, x, y, pureTranslate, alpha, mode, paint);
2765    if (fontRenderer.renderPosText(paint, clip, text, 0, bytesCount, count, x, y,
2766            positions, hasActiveLayer ? &bounds : NULL, &functor)) {
2767        if (hasActiveLayer) {
2768            if (!pureTranslate) {
2769                currentTransform().mapRect(bounds);
2770            }
2771            dirtyLayerUnchecked(bounds, getRegion());
2772        }
2773    }
2774
2775    return DrawGlInfo::kStatusDrew;
2776}
2777
2778mat4 OpenGLRenderer::findBestFontTransform(const mat4& transform) const {
2779    mat4 fontTransform;
2780    if (CC_LIKELY(transform.isPureTranslate())) {
2781        fontTransform = mat4::identity();
2782    } else {
2783        if (CC_UNLIKELY(transform.isPerspective())) {
2784            fontTransform = mat4::identity();
2785        } else {
2786            float sx, sy;
2787            currentTransform().decomposeScale(sx, sy);
2788            fontTransform.loadScale(sx, sy, 1.0f);
2789        }
2790    }
2791    return fontTransform;
2792}
2793
2794status_t OpenGLRenderer::drawText(const char* text, int bytesCount, int count,
2795        float x, float y, const float* positions, SkPaint* paint, float length) {
2796    if (text == NULL || count == 0 || mSnapshot->isIgnored() || canSkipText(paint)) {
2797        return DrawGlInfo::kStatusDone;
2798    }
2799
2800    if (length < 0.0f) length = paint->measureText(text, bytesCount);
2801    switch (paint->getTextAlign()) {
2802        case SkPaint::kCenter_Align:
2803            x -= length / 2.0f;
2804            break;
2805        case SkPaint::kRight_Align:
2806            x -= length;
2807            break;
2808        default:
2809            break;
2810    }
2811
2812    SkPaint::FontMetrics metrics;
2813    paint->getFontMetrics(&metrics, 0.0f);
2814    if (quickReject(x, y + metrics.fTop, x + length, y + metrics.fBottom)) {
2815        return DrawGlInfo::kStatusDone;
2816    }
2817
2818    const float oldX = x;
2819    const float oldY = y;
2820
2821    const mat4& transform = currentTransform();
2822    const bool pureTranslate = transform.isPureTranslate();
2823
2824    if (CC_LIKELY(pureTranslate)) {
2825        x = (int) floorf(x + transform.getTranslateX() + 0.5f);
2826        y = (int) floorf(y + transform.getTranslateY() + 0.5f);
2827    }
2828
2829    int alpha;
2830    SkXfermode::Mode mode;
2831    getAlphaAndMode(paint, &alpha, &mode);
2832
2833    FontRenderer& fontRenderer = mCaches.fontRenderer->getFontRenderer(paint);
2834
2835    if (CC_UNLIKELY(mDrawModifiers.mHasShadow)) {
2836        fontRenderer.setFont(paint, mat4::identity());
2837        drawTextShadow(paint, text, bytesCount, count, positions, fontRenderer,
2838                alpha, mode, oldX, oldY);
2839    }
2840
2841    const bool hasActiveLayer = hasLayer();
2842
2843    // We only pass a partial transform to the font renderer. That partial
2844    // matrix defines how glyphs are rasterized. Typically we want glyphs
2845    // to be rasterized at their final size on screen, which means the partial
2846    // matrix needs to take the scale factor into account.
2847    // When a partial matrix is used to transform glyphs during rasterization,
2848    // the mesh is generated with the inverse transform (in the case of scale,
2849    // the mesh is generated at 1.0 / scale for instance.) This allows us to
2850    // apply the full transform matrix at draw time in the vertex shader.
2851    // Applying the full matrix in the shader is the easiest way to handle
2852    // rotation and perspective and allows us to always generated quads in the
2853    // font renderer which greatly simplifies the code, clipping in particular.
2854    mat4 fontTransform = findBestFontTransform(transform);
2855    fontRenderer.setFont(paint, fontTransform);
2856
2857    // Pick the appropriate texture filtering
2858    bool linearFilter = !pureTranslate || fabs(y - (int) y) > 0.0f || fabs(x - (int) x) > 0.0f;
2859    fontRenderer.setTextureFiltering(linearFilter);
2860
2861    // TODO: Implement better clipping for scaled/rotated text
2862    const Rect* clip = !pureTranslate ? NULL : mSnapshot->clipRect;
2863    Rect bounds(FLT_MAX / 2.0f, FLT_MAX / 2.0f, FLT_MIN / 2.0f, FLT_MIN / 2.0f);
2864
2865    bool status;
2866    TextSetupFunctor functor(*this, x, y, pureTranslate, alpha, mode, paint);
2867    if (CC_UNLIKELY(paint->getTextAlign() != SkPaint::kLeft_Align)) {
2868        SkPaint paintCopy(*paint);
2869        paintCopy.setTextAlign(SkPaint::kLeft_Align);
2870        status = fontRenderer.renderPosText(&paintCopy, clip, text, 0, bytesCount, count, x, y,
2871                positions, hasActiveLayer ? &bounds : NULL, &functor);
2872    } else {
2873        status = fontRenderer.renderPosText(paint, clip, text, 0, bytesCount, count, x, y,
2874                positions, hasActiveLayer ? &bounds : NULL, &functor);
2875    }
2876
2877    if (status && hasActiveLayer) {
2878        if (!pureTranslate) {
2879            transform.mapRect(bounds);
2880        }
2881        dirtyLayerUnchecked(bounds, getRegion());
2882    }
2883
2884    drawTextDecorations(text, bytesCount, length, oldX, oldY, paint);
2885
2886    return DrawGlInfo::kStatusDrew;
2887}
2888
2889status_t OpenGLRenderer::drawTextOnPath(const char* text, int bytesCount, int count, SkPath* path,
2890        float hOffset, float vOffset, SkPaint* paint) {
2891    if (text == NULL || count == 0 || mSnapshot->isIgnored() || canSkipText(paint)) {
2892        return DrawGlInfo::kStatusDone;
2893    }
2894
2895    FontRenderer& fontRenderer = mCaches.fontRenderer->getFontRenderer(paint);
2896    fontRenderer.setFont(paint, mat4::identity());
2897    fontRenderer.setTextureFiltering(true);
2898
2899    int alpha;
2900    SkXfermode::Mode mode;
2901    getAlphaAndMode(paint, &alpha, &mode);
2902
2903    setupDraw();
2904    setupDrawTextGamma(paint);
2905    setupDrawDirtyRegionsDisabled();
2906    setupDrawWithTexture(true);
2907    setupDrawAlpha8Color(paint->getColor(), alpha);
2908    setupDrawColorFilter();
2909    setupDrawShader();
2910    setupDrawBlending(true, mode);
2911    setupDrawProgram();
2912    setupDrawModelView(0.0f, 0.0f, 0.0f, 0.0f, false, true);
2913    // Calling setupDrawTexture with the name 0 will enable the
2914    // uv attributes and increase the texture unit count
2915    // texture binding will be performed by the font renderer as
2916    // needed
2917    setupDrawTexture(0);
2918    setupDrawPureColorUniforms();
2919    setupDrawColorFilterUniforms();
2920    setupDrawShaderUniforms(false);
2921    setupDrawTextGammaUniforms();
2922
2923    const Rect* clip = &mSnapshot->getLocalClip();
2924    Rect bounds(FLT_MAX / 2.0f, FLT_MAX / 2.0f, FLT_MIN / 2.0f, FLT_MIN / 2.0f);
2925
2926    const bool hasActiveLayer = hasLayer();
2927
2928    if (fontRenderer.renderTextOnPath(paint, clip, text, 0, bytesCount, count, path,
2929            hOffset, vOffset, hasActiveLayer ? &bounds : NULL)) {
2930        if (hasActiveLayer) {
2931            currentTransform().mapRect(bounds);
2932            dirtyLayerUnchecked(bounds, getRegion());
2933        }
2934    }
2935
2936    return DrawGlInfo::kStatusDrew;
2937}
2938
2939status_t OpenGLRenderer::drawPath(SkPath* path, SkPaint* paint) {
2940    if (mSnapshot->isIgnored()) return DrawGlInfo::kStatusDone;
2941
2942    mCaches.activeTexture(0);
2943
2944    const PathTexture* texture = mCaches.pathCache.get(path, paint);
2945    if (!texture) return DrawGlInfo::kStatusDone;
2946    const AutoTexture autoCleanup(texture);
2947
2948    const float x = texture->left - texture->offset;
2949    const float y = texture->top - texture->offset;
2950
2951    drawPathTexture(texture, x, y, paint);
2952
2953    return DrawGlInfo::kStatusDrew;
2954}
2955
2956status_t OpenGLRenderer::drawLayer(Layer* layer, float x, float y) {
2957    if (!layer) {
2958        return DrawGlInfo::kStatusDone;
2959    }
2960
2961    mat4* transform = NULL;
2962    if (layer->isTextureLayer()) {
2963        transform = &layer->getTransform();
2964        if (!transform->isIdentity()) {
2965            save(0);
2966            currentTransform().multiply(*transform);
2967        }
2968    }
2969
2970    Rect transformed;
2971    Rect clip;
2972    const bool rejected = quickRejectNoScissor(x, y,
2973            x + layer->layer.getWidth(), y + layer->layer.getHeight(), transformed, clip);
2974
2975    if (rejected) {
2976        if (transform && !transform->isIdentity()) {
2977            restore();
2978        }
2979        return DrawGlInfo::kStatusDone;
2980    }
2981
2982    updateLayer(layer, true);
2983
2984    mCaches.setScissorEnabled(mScissorOptimizationDisabled || !clip.contains(transformed));
2985    mCaches.activeTexture(0);
2986
2987    if (CC_LIKELY(!layer->region.isEmpty())) {
2988        SkiaColorFilter* oldFilter = mDrawModifiers.mColorFilter;
2989        mDrawModifiers.mColorFilter = layer->getColorFilter();
2990
2991        if (layer->region.isRect()) {
2992            composeLayerRect(layer, layer->regionRect);
2993        } else if (layer->mesh) {
2994            const float a = getLayerAlpha(layer);
2995            setupDraw();
2996            setupDrawWithTexture();
2997            setupDrawColor(a, a, a, a);
2998            setupDrawColorFilter();
2999            setupDrawBlending(layer->isBlend() || a < 1.0f, layer->getMode(), false);
3000            setupDrawProgram();
3001            setupDrawPureColorUniforms();
3002            setupDrawColorFilterUniforms();
3003            setupDrawTexture(layer->getTexture());
3004            if (CC_LIKELY(currentTransform().isPureTranslate())) {
3005                int tx = (int) floorf(x + currentTransform().getTranslateX() + 0.5f);
3006                int ty = (int) floorf(y + currentTransform().getTranslateY() + 0.5f);
3007
3008                layer->setFilter(GL_NEAREST);
3009                setupDrawModelViewTranslate(tx, ty,
3010                        tx + layer->layer.getWidth(), ty + layer->layer.getHeight(), true);
3011            } else {
3012                layer->setFilter(GL_LINEAR);
3013                setupDrawModelViewTranslate(x, y,
3014                        x + layer->layer.getWidth(), y + layer->layer.getHeight());
3015            }
3016            setupDrawMesh(&layer->mesh[0].position[0], &layer->mesh[0].texture[0]);
3017
3018            glDrawElements(GL_TRIANGLES, layer->meshElementCount,
3019                    GL_UNSIGNED_SHORT, layer->meshIndices);
3020
3021            finishDrawTexture();
3022
3023#if DEBUG_LAYERS_AS_REGIONS
3024            drawRegionRects(layer->region);
3025#endif
3026        }
3027
3028        mDrawModifiers.mColorFilter = oldFilter;
3029
3030        if (layer->debugDrawUpdate) {
3031            layer->debugDrawUpdate = false;
3032            drawColorRect(x, y, x + layer->layer.getWidth(), y + layer->layer.getHeight(),
3033                    0x7f00ff00, SkXfermode::kSrcOver_Mode);
3034        }
3035    }
3036
3037    if (transform && !transform->isIdentity()) {
3038        restore();
3039    }
3040
3041    return DrawGlInfo::kStatusDrew;
3042}
3043
3044///////////////////////////////////////////////////////////////////////////////
3045// Shaders
3046///////////////////////////////////////////////////////////////////////////////
3047
3048void OpenGLRenderer::resetShader() {
3049    mDrawModifiers.mShader = NULL;
3050}
3051
3052void OpenGLRenderer::setupShader(SkiaShader* shader) {
3053    mDrawModifiers.mShader = shader;
3054    if (mDrawModifiers.mShader) {
3055        mDrawModifiers.mShader->set(&mCaches.textureCache, &mCaches.gradientCache);
3056    }
3057}
3058
3059///////////////////////////////////////////////////////////////////////////////
3060// Color filters
3061///////////////////////////////////////////////////////////////////////////////
3062
3063void OpenGLRenderer::resetColorFilter() {
3064    mDrawModifiers.mColorFilter = NULL;
3065}
3066
3067void OpenGLRenderer::setupColorFilter(SkiaColorFilter* filter) {
3068    mDrawModifiers.mColorFilter = filter;
3069}
3070
3071///////////////////////////////////////////////////////////////////////////////
3072// Drop shadow
3073///////////////////////////////////////////////////////////////////////////////
3074
3075void OpenGLRenderer::resetShadow() {
3076    mDrawModifiers.mHasShadow = false;
3077}
3078
3079void OpenGLRenderer::setupShadow(float radius, float dx, float dy, int color) {
3080    mDrawModifiers.mHasShadow = true;
3081    mDrawModifiers.mShadowRadius = radius;
3082    mDrawModifiers.mShadowDx = dx;
3083    mDrawModifiers.mShadowDy = dy;
3084    mDrawModifiers.mShadowColor = color;
3085}
3086
3087///////////////////////////////////////////////////////////////////////////////
3088// Draw filters
3089///////////////////////////////////////////////////////////////////////////////
3090
3091void OpenGLRenderer::resetPaintFilter() {
3092    mDrawModifiers.mHasDrawFilter = false;
3093}
3094
3095void OpenGLRenderer::setupPaintFilter(int clearBits, int setBits) {
3096    mDrawModifiers.mHasDrawFilter = true;
3097    mDrawModifiers.mPaintFilterClearBits = clearBits & SkPaint::kAllFlags;
3098    mDrawModifiers.mPaintFilterSetBits = setBits & SkPaint::kAllFlags;
3099}
3100
3101SkPaint* OpenGLRenderer::filterPaint(SkPaint* paint) {
3102    if (CC_LIKELY(!mDrawModifiers.mHasDrawFilter || !paint)) {
3103        return paint;
3104    }
3105
3106    uint32_t flags = paint->getFlags();
3107
3108    mFilteredPaint = *paint;
3109    mFilteredPaint.setFlags((flags & ~mDrawModifiers.mPaintFilterClearBits) |
3110            mDrawModifiers.mPaintFilterSetBits);
3111
3112    return &mFilteredPaint;
3113}
3114
3115///////////////////////////////////////////////////////////////////////////////
3116// Drawing implementation
3117///////////////////////////////////////////////////////////////////////////////
3118
3119void OpenGLRenderer::drawPathTexture(const PathTexture* texture,
3120        float x, float y, SkPaint* paint) {
3121    if (quickReject(x, y, x + texture->width, y + texture->height)) {
3122        return;
3123    }
3124
3125    int alpha;
3126    SkXfermode::Mode mode;
3127    getAlphaAndMode(paint, &alpha, &mode);
3128
3129    setupDraw();
3130    setupDrawWithTexture(true);
3131    setupDrawAlpha8Color(paint->getColor(), alpha);
3132    setupDrawColorFilter();
3133    setupDrawShader();
3134    setupDrawBlending(true, mode);
3135    setupDrawProgram();
3136    setupDrawModelView(x, y, x + texture->width, y + texture->height);
3137    setupDrawTexture(texture->id);
3138    setupDrawPureColorUniforms();
3139    setupDrawColorFilterUniforms();
3140    setupDrawShaderUniforms();
3141    setupDrawMesh(NULL, (GLvoid*) gMeshTextureOffset);
3142
3143    glDrawArrays(GL_TRIANGLE_STRIP, 0, gMeshCount);
3144
3145    finishDrawTexture();
3146}
3147
3148// Same values used by Skia
3149#define kStdStrikeThru_Offset   (-6.0f / 21.0f)
3150#define kStdUnderline_Offset    (1.0f / 9.0f)
3151#define kStdUnderline_Thickness (1.0f / 18.0f)
3152
3153void OpenGLRenderer::drawTextDecorations(const char* text, int bytesCount, float length,
3154        float x, float y, SkPaint* paint) {
3155    // Handle underline and strike-through
3156    uint32_t flags = paint->getFlags();
3157    if (flags & (SkPaint::kUnderlineText_Flag | SkPaint::kStrikeThruText_Flag)) {
3158        SkPaint paintCopy(*paint);
3159        float underlineWidth = length;
3160        // If length is > 0.0f, we already measured the text for the text alignment
3161        if (length <= 0.0f) {
3162            underlineWidth = paintCopy.measureText(text, bytesCount);
3163        }
3164
3165        if (CC_LIKELY(underlineWidth > 0.0f)) {
3166            const float textSize = paintCopy.getTextSize();
3167            const float strokeWidth = fmax(textSize * kStdUnderline_Thickness, 1.0f);
3168
3169            const float left = x;
3170            float top = 0.0f;
3171
3172            int linesCount = 0;
3173            if (flags & SkPaint::kUnderlineText_Flag) linesCount++;
3174            if (flags & SkPaint::kStrikeThruText_Flag) linesCount++;
3175
3176            const int pointsCount = 4 * linesCount;
3177            float points[pointsCount];
3178            int currentPoint = 0;
3179
3180            if (flags & SkPaint::kUnderlineText_Flag) {
3181                top = y + textSize * kStdUnderline_Offset;
3182                points[currentPoint++] = left;
3183                points[currentPoint++] = top;
3184                points[currentPoint++] = left + underlineWidth;
3185                points[currentPoint++] = top;
3186            }
3187
3188            if (flags & SkPaint::kStrikeThruText_Flag) {
3189                top = y + textSize * kStdStrikeThru_Offset;
3190                points[currentPoint++] = left;
3191                points[currentPoint++] = top;
3192                points[currentPoint++] = left + underlineWidth;
3193                points[currentPoint++] = top;
3194            }
3195
3196            paintCopy.setStrokeWidth(strokeWidth);
3197
3198            drawLines(&points[0], pointsCount, &paintCopy);
3199        }
3200    }
3201}
3202
3203status_t OpenGLRenderer::drawRects(const float* rects, int count, SkPaint* paint) {
3204    if (mSnapshot->isIgnored()) {
3205        return DrawGlInfo::kStatusDone;
3206    }
3207
3208    int color = paint->getColor();
3209    // If a shader is set, preserve only the alpha
3210    if (mDrawModifiers.mShader) {
3211        color |= 0x00ffffff;
3212    }
3213    SkXfermode::Mode mode = getXfermode(paint->getXfermode());
3214
3215    return drawColorRects(rects, count, color, mode);
3216}
3217
3218status_t OpenGLRenderer::drawColorRects(const float* rects, int count, int color,
3219        SkXfermode::Mode mode, bool ignoreTransform, bool dirty, bool clip) {
3220    if (count == 0) {
3221        return DrawGlInfo::kStatusDone;
3222    }
3223
3224    float left = FLT_MAX;
3225    float top = FLT_MAX;
3226    float right = FLT_MIN;
3227    float bottom = FLT_MIN;
3228
3229    int vertexCount = 0;
3230    Vertex mesh[count * 6];
3231    Vertex* vertex = mesh;
3232
3233    for (int index = 0; index < count; index += 4) {
3234        float l = rects[index + 0];
3235        float t = rects[index + 1];
3236        float r = rects[index + 2];
3237        float b = rects[index + 3];
3238
3239        Vertex::set(vertex++, l, b);
3240        Vertex::set(vertex++, l, t);
3241        Vertex::set(vertex++, r, t);
3242        Vertex::set(vertex++, l, b);
3243        Vertex::set(vertex++, r, t);
3244        Vertex::set(vertex++, r, b);
3245
3246        vertexCount += 6;
3247
3248        left = fminf(left, l);
3249        top = fminf(top, t);
3250        right = fmaxf(right, r);
3251        bottom = fmaxf(bottom, b);
3252    }
3253
3254    if (clip && quickReject(left, top, right, bottom)) {
3255        return DrawGlInfo::kStatusDone;
3256    }
3257
3258    setupDraw();
3259    setupDrawNoTexture();
3260    setupDrawColor(color, ((color >> 24) & 0xFF) * mSnapshot->alpha);
3261    setupDrawShader();
3262    setupDrawColorFilter();
3263    setupDrawBlending(mode);
3264    setupDrawProgram();
3265    setupDrawDirtyRegionsDisabled();
3266    setupDrawModelView(0.0f, 0.0f, 1.0f, 1.0f, ignoreTransform, true);
3267    setupDrawColorUniforms();
3268    setupDrawShaderUniforms();
3269    setupDrawColorFilterUniforms();
3270    setupDrawVertices((GLvoid*) &mesh[0].position[0]);
3271
3272    if (dirty && hasLayer()) {
3273        dirtyLayer(left, top, right, bottom, currentTransform());
3274    }
3275
3276    glDrawArrays(GL_TRIANGLES, 0, vertexCount);
3277
3278    return DrawGlInfo::kStatusDrew;
3279}
3280
3281void OpenGLRenderer::drawColorRect(float left, float top, float right, float bottom,
3282        int color, SkXfermode::Mode mode, bool ignoreTransform) {
3283    // If a shader is set, preserve only the alpha
3284    if (mDrawModifiers.mShader) {
3285        color |= 0x00ffffff;
3286    }
3287
3288    setupDraw();
3289    setupDrawNoTexture();
3290    setupDrawColor(color, ((color >> 24) & 0xFF) * mSnapshot->alpha);
3291    setupDrawShader();
3292    setupDrawColorFilter();
3293    setupDrawBlending(mode);
3294    setupDrawProgram();
3295    setupDrawModelView(left, top, right, bottom, ignoreTransform);
3296    setupDrawColorUniforms();
3297    setupDrawShaderUniforms(ignoreTransform);
3298    setupDrawColorFilterUniforms();
3299    setupDrawSimpleMesh();
3300
3301    glDrawArrays(GL_TRIANGLE_STRIP, 0, gMeshCount);
3302}
3303
3304void OpenGLRenderer::drawTextureRect(float left, float top, float right, float bottom,
3305        Texture* texture, SkPaint* paint) {
3306    int alpha;
3307    SkXfermode::Mode mode;
3308    getAlphaAndMode(paint, &alpha, &mode);
3309
3310    texture->setWrap(GL_CLAMP_TO_EDGE, true);
3311
3312    if (CC_LIKELY(currentTransform().isPureTranslate())) {
3313        const float x = (int) floorf(left + currentTransform().getTranslateX() + 0.5f);
3314        const float y = (int) floorf(top + currentTransform().getTranslateY() + 0.5f);
3315
3316        texture->setFilter(GL_NEAREST, true);
3317        drawTextureMesh(x, y, x + texture->width, y + texture->height, texture->id,
3318                alpha / 255.0f, mode, texture->blend, (GLvoid*) NULL,
3319                (GLvoid*) gMeshTextureOffset, GL_TRIANGLE_STRIP, gMeshCount, false, true);
3320    } else {
3321        texture->setFilter(FILTER(paint), true);
3322        drawTextureMesh(left, top, right, bottom, texture->id, alpha / 255.0f, mode,
3323                texture->blend, (GLvoid*) NULL, (GLvoid*) gMeshTextureOffset,
3324                GL_TRIANGLE_STRIP, gMeshCount);
3325    }
3326}
3327
3328void OpenGLRenderer::drawTextureRect(float left, float top, float right, float bottom,
3329        GLuint texture, float alpha, SkXfermode::Mode mode, bool blend) {
3330    drawTextureMesh(left, top, right, bottom, texture, alpha, mode, blend,
3331            (GLvoid*) NULL, (GLvoid*) gMeshTextureOffset, GL_TRIANGLE_STRIP, gMeshCount);
3332}
3333
3334void OpenGLRenderer::drawTextureMesh(float left, float top, float right, float bottom,
3335        GLuint texture, float alpha, SkXfermode::Mode mode, bool blend,
3336        GLvoid* vertices, GLvoid* texCoords, GLenum drawMode, GLsizei elementsCount,
3337        bool swapSrcDst, bool ignoreTransform, GLuint vbo, bool ignoreScale, bool dirty) {
3338
3339    setupDraw();
3340    setupDrawWithTexture();
3341    setupDrawColor(alpha, alpha, alpha, alpha);
3342    setupDrawColorFilter();
3343    setupDrawBlending(blend, mode, swapSrcDst);
3344    setupDrawProgram();
3345    if (!dirty) setupDrawDirtyRegionsDisabled();
3346    if (!ignoreScale) {
3347        setupDrawModelView(left, top, right, bottom, ignoreTransform);
3348    } else {
3349        setupDrawModelViewTranslate(left, top, right, bottom, ignoreTransform);
3350    }
3351    setupDrawTexture(texture);
3352    setupDrawPureColorUniforms();
3353    setupDrawColorFilterUniforms();
3354    setupDrawMesh(vertices, texCoords, vbo);
3355
3356    glDrawArrays(drawMode, 0, elementsCount);
3357
3358    finishDrawTexture();
3359}
3360
3361void OpenGLRenderer::drawAlpha8TextureMesh(float left, float top, float right, float bottom,
3362        GLuint texture, bool hasColor, int color, int alpha, SkXfermode::Mode mode,
3363        GLvoid* vertices, GLvoid* texCoords, GLenum drawMode, GLsizei elementsCount,
3364        bool ignoreTransform, bool dirty) {
3365
3366    setupDraw();
3367    setupDrawWithTexture(true);
3368    if (hasColor) {
3369        setupDrawAlpha8Color(color, alpha);
3370    }
3371    setupDrawColorFilter();
3372    setupDrawShader();
3373    setupDrawBlending(true, mode);
3374    setupDrawProgram();
3375    if (!dirty) setupDrawDirtyRegionsDisabled();
3376    setupDrawModelView(left, top, right, bottom, ignoreTransform);
3377    setupDrawTexture(texture);
3378    setupDrawPureColorUniforms();
3379    setupDrawColorFilterUniforms();
3380    setupDrawShaderUniforms();
3381    setupDrawMesh(vertices, texCoords);
3382
3383    glDrawArrays(drawMode, 0, elementsCount);
3384
3385    finishDrawTexture();
3386}
3387
3388void OpenGLRenderer::chooseBlending(bool blend, SkXfermode::Mode mode,
3389        ProgramDescription& description, bool swapSrcDst) {
3390    blend = blend || mode != SkXfermode::kSrcOver_Mode;
3391
3392    if (blend) {
3393        // These blend modes are not supported by OpenGL directly and have
3394        // to be implemented using shaders. Since the shader will perform
3395        // the blending, turn blending off here
3396        // If the blend mode cannot be implemented using shaders, fall
3397        // back to the default SrcOver blend mode instead
3398        if (CC_UNLIKELY(mode > SkXfermode::kScreen_Mode)) {
3399            if (CC_UNLIKELY(mExtensions.hasFramebufferFetch())) {
3400                description.framebufferMode = mode;
3401                description.swapSrcDst = swapSrcDst;
3402
3403                if (mCaches.blend) {
3404                    glDisable(GL_BLEND);
3405                    mCaches.blend = false;
3406                }
3407
3408                return;
3409            } else {
3410                mode = SkXfermode::kSrcOver_Mode;
3411            }
3412        }
3413
3414        if (!mCaches.blend) {
3415            glEnable(GL_BLEND);
3416        }
3417
3418        GLenum sourceMode = swapSrcDst ? gBlendsSwap[mode].src : gBlends[mode].src;
3419        GLenum destMode = swapSrcDst ? gBlendsSwap[mode].dst : gBlends[mode].dst;
3420
3421        if (sourceMode != mCaches.lastSrcMode || destMode != mCaches.lastDstMode) {
3422            glBlendFunc(sourceMode, destMode);
3423            mCaches.lastSrcMode = sourceMode;
3424            mCaches.lastDstMode = destMode;
3425        }
3426    } else if (mCaches.blend) {
3427        glDisable(GL_BLEND);
3428    }
3429    mCaches.blend = blend;
3430}
3431
3432bool OpenGLRenderer::useProgram(Program* program) {
3433    if (!program->isInUse()) {
3434        if (mCaches.currentProgram != NULL) mCaches.currentProgram->remove();
3435        program->use();
3436        mCaches.currentProgram = program;
3437        return false;
3438    }
3439    return true;
3440}
3441
3442void OpenGLRenderer::resetDrawTextureTexCoords(float u1, float v1, float u2, float v2) {
3443    TextureVertex* v = &mMeshVertices[0];
3444    TextureVertex::setUV(v++, u1, v1);
3445    TextureVertex::setUV(v++, u2, v1);
3446    TextureVertex::setUV(v++, u1, v2);
3447    TextureVertex::setUV(v++, u2, v2);
3448}
3449
3450void OpenGLRenderer::getAlphaAndMode(SkPaint* paint, int* alpha, SkXfermode::Mode* mode) const {
3451    getAlphaAndModeDirect(paint, alpha,  mode);
3452    if (mDrawModifiers.mOverrideLayerAlpha < 1.0f) {
3453        // if drawing a layer, ignore the paint's alpha
3454        *alpha = mDrawModifiers.mOverrideLayerAlpha;
3455    }
3456    *alpha *= mSnapshot->alpha;
3457}
3458
3459float OpenGLRenderer::getLayerAlpha(Layer* layer) const {
3460    float alpha;
3461    if (mDrawModifiers.mOverrideLayerAlpha < 1.0f) {
3462        alpha = mDrawModifiers.mOverrideLayerAlpha;
3463    } else {
3464        alpha = layer->getAlpha() / 255.0f;
3465    }
3466    return alpha * mSnapshot->alpha;
3467}
3468
3469}; // namespace uirenderer
3470}; // namespace android
3471