SkiaCanvas.cpp revision d7f13f84f8aefcad10ccb83aad794f1864623642
1/*
2 * Copyright (C) 2014 The Android Open Source Project
3 *
4 * Licensed under the Apache License, Version 2.0 (the "License");
5 * you may not use this file except in compliance with the License.
6 * You may obtain a copy of the License at
7 *
8 *      http://www.apache.org/licenses/LICENSE-2.0
9 *
10 * Unless required by applicable law or agreed to in writing, software
11 * distributed under the License is distributed on an "AS IS" BASIS,
12 * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13 * See the License for the specific language governing permissions and
14 * limitations under the License.
15 */
16
17#include "SkiaCanvas.h"
18
19#include "CanvasProperty.h"
20#include "NinePatchUtils.h"
21#include "VectorDrawable.h"
22#include "hwui/Bitmap.h"
23#include "hwui/MinikinUtils.h"
24#include "pipeline/skia/AnimatedDrawables.h"
25
26#include <SkDrawable.h>
27#include <SkDeque.h>
28#include <SkDrawFilter.h>
29#include <SkGraphics.h>
30#include <SkImage.h>
31#include <SkImagePriv.h>
32#include <SkRSXform.h>
33#include <SkShader.h>
34#include <SkTemplates.h>
35#include <SkTextBlob.h>
36
37#include <memory>
38
39namespace android {
40
41using uirenderer::PaintUtils;
42
43Canvas* Canvas::create_canvas(const SkBitmap& bitmap) {
44    return new SkiaCanvas(bitmap);
45}
46
47Canvas* Canvas::create_canvas(SkCanvas* skiaCanvas) {
48    return new SkiaCanvas(skiaCanvas);
49}
50
51SkiaCanvas::SkiaCanvas() {}
52
53SkiaCanvas::SkiaCanvas(SkCanvas* canvas)
54    : mCanvas(canvas) {}
55
56SkiaCanvas::SkiaCanvas(const SkBitmap& bitmap) {
57    mCanvasOwned = std::unique_ptr<SkCanvas>(new SkCanvas(bitmap));
58    mCanvas = mCanvasOwned.get();
59}
60
61SkiaCanvas::~SkiaCanvas() {}
62
63void SkiaCanvas::reset(SkCanvas* skiaCanvas) {
64    if (mCanvas != skiaCanvas) {
65        mCanvas = skiaCanvas;
66        mCanvasOwned.reset();
67    }
68    mSaveStack.reset(nullptr);
69    mHighContrastText = false;
70}
71
72// ----------------------------------------------------------------------------
73// Canvas state operations: Replace Bitmap
74// ----------------------------------------------------------------------------
75
76class ClipCopier : public SkCanvas::ClipVisitor {
77public:
78    explicit ClipCopier(SkCanvas* dstCanvas) : m_dstCanvas(dstCanvas) {}
79
80    virtual void clipRect(const SkRect& rect, SkClipOp op, bool antialias) {
81        m_dstCanvas->clipRect(rect, op, antialias);
82    }
83    virtual void clipRRect(const SkRRect& rrect, SkClipOp op, bool antialias) {
84        m_dstCanvas->clipRRect(rrect, op, antialias);
85    }
86    virtual void clipPath(const SkPath& path, SkClipOp op, bool antialias) {
87        m_dstCanvas->clipPath(path, op, antialias);
88    }
89
90private:
91    SkCanvas* m_dstCanvas;
92};
93
94void SkiaCanvas::setBitmap(const SkBitmap& bitmap) {
95    SkCanvas* newCanvas = new SkCanvas(bitmap);
96
97    if (!bitmap.isNull()) {
98        // Copy the canvas matrix & clip state.
99        newCanvas->setMatrix(mCanvas->getTotalMatrix());
100
101        ClipCopier copier(newCanvas);
102        mCanvas->replayClips(&copier);
103    }
104
105    // deletes the previously owned canvas (if any)
106    mCanvasOwned = std::unique_ptr<SkCanvas>(newCanvas);
107    mCanvas = newCanvas;
108
109    // clean up the old save stack
110    mSaveStack.reset(nullptr);
111}
112
113// ----------------------------------------------------------------------------
114// Canvas state operations
115// ----------------------------------------------------------------------------
116
117bool SkiaCanvas::isOpaque() {
118    return mCanvas->imageInfo().isOpaque();
119}
120
121int SkiaCanvas::width() {
122    return mCanvas->imageInfo().width();
123}
124
125int SkiaCanvas::height() {
126    return mCanvas->imageInfo().height();
127}
128
129// ----------------------------------------------------------------------------
130// Canvas state operations: Save (layer)
131// ----------------------------------------------------------------------------
132
133int SkiaCanvas::getSaveCount() const {
134    return mCanvas->getSaveCount();
135}
136
137int SkiaCanvas::save(SaveFlags::Flags flags) {
138    int count = mCanvas->save();
139    recordPartialSave(flags);
140    return count;
141}
142
143// The SkiaCanvas::restore operation layers on the capability to preserve
144// either (or both) the matrix and/or clip state after a SkCanvas::restore
145// operation. It does this by explicitly saving off the clip & matrix state
146// when requested and playing it back after the SkCanvas::restore.
147void SkiaCanvas::restore() {
148    const auto* rec = this->currentSaveRec();
149    if (!rec) {
150        // Fast path - no record for this frame.
151        mCanvas->restore();
152        return;
153    }
154
155    bool preserveMatrix = !(rec->saveFlags & SaveFlags::Matrix);
156    bool preserveClip   = !(rec->saveFlags & SaveFlags::Clip);
157
158    SkMatrix savedMatrix;
159    if (preserveMatrix) {
160        savedMatrix = mCanvas->getTotalMatrix();
161    }
162
163    const size_t clipIndex = rec->clipIndex;
164
165    mCanvas->restore();
166    mSaveStack->pop_back();
167
168    if (preserveMatrix) {
169        mCanvas->setMatrix(savedMatrix);
170    }
171
172    if (preserveClip) {
173        this->applyPersistentClips(clipIndex);
174    }
175}
176
177void SkiaCanvas::restoreToCount(int restoreCount) {
178    while (mCanvas->getSaveCount() > restoreCount) {
179        this->restore();
180    }
181}
182
183static inline SkCanvas::SaveLayerFlags layerFlags(SaveFlags::Flags flags) {
184    SkCanvas::SaveLayerFlags layerFlags = 0;
185
186    // We intentionally ignore the SaveFlags::HasAlphaLayer and
187    // SkCanvas::kIsOpaque_SaveLayerFlag flags because HWUI ignores it
188    // and our Android client may use it incorrectly.
189    // In Skia, this flag is purely for performance optimization.
190
191    if (!(flags & SaveFlags::ClipToLayer)) {
192        layerFlags |= SkCanvas::kDontClipToLayer_Legacy_SaveLayerFlag;
193    }
194
195    return layerFlags;
196}
197
198int SkiaCanvas::saveLayer(float left, float top, float right, float bottom,
199            const SkPaint* paint, SaveFlags::Flags flags) {
200    const SkRect bounds = SkRect::MakeLTRB(left, top, right, bottom);
201    const SkCanvas::SaveLayerRec rec(&bounds, paint, layerFlags(flags));
202
203    return mCanvas->saveLayer(rec);
204}
205
206int SkiaCanvas::saveLayerAlpha(float left, float top, float right, float bottom,
207        int alpha, SaveFlags::Flags flags) {
208    if (static_cast<unsigned>(alpha) < 0xFF) {
209        SkPaint alphaPaint;
210        alphaPaint.setAlpha(alpha);
211        return this->saveLayer(left, top, right, bottom, &alphaPaint, flags);
212    }
213    return this->saveLayer(left, top, right, bottom, nullptr, flags);
214}
215
216class SkiaCanvas::Clip {
217public:
218    Clip(const SkRect& rect, SkClipOp op, const SkMatrix& m)
219        : mType(Type::Rect), mOp(op), mMatrix(m), mRRect(SkRRect::MakeRect(rect)) {}
220    Clip(const SkRRect& rrect, SkClipOp op, const SkMatrix& m)
221        : mType(Type::RRect), mOp(op), mMatrix(m), mRRect(rrect) {}
222    Clip(const SkPath& path, SkClipOp op, const SkMatrix& m)
223        : mType(Type::Path), mOp(op), mMatrix(m), mPath(&path) {}
224
225    void apply(SkCanvas* canvas) const {
226        canvas->setMatrix(mMatrix);
227        switch (mType) {
228        case Type::Rect:
229            canvas->clipRect(mRRect.rect(), mOp);
230            break;
231        case Type::RRect:
232            canvas->clipRRect(mRRect, mOp);
233            break;
234        case Type::Path:
235            canvas->clipPath(*mPath.get(), mOp);
236            break;
237        }
238    }
239
240private:
241    enum class Type {
242        Rect,
243        RRect,
244        Path,
245    };
246
247    Type        mType;
248    SkClipOp    mOp;
249    SkMatrix    mMatrix;
250
251    // These are logically a union (tracked separately due to non-POD path).
252    SkTLazy<SkPath> mPath;
253    SkRRect         mRRect;
254};
255
256const SkiaCanvas::SaveRec* SkiaCanvas::currentSaveRec() const {
257    const SaveRec* rec = mSaveStack
258        ? static_cast<const SaveRec*>(mSaveStack->back())
259        : nullptr;
260    int currentSaveCount = mCanvas->getSaveCount();
261    SkASSERT(!rec || currentSaveCount >= rec->saveCount);
262
263    return (rec && rec->saveCount == currentSaveCount) ? rec : nullptr;
264}
265
266// ----------------------------------------------------------------------------
267// functions to emulate legacy SaveFlags (i.e. independent matrix/clip flags)
268// ----------------------------------------------------------------------------
269
270void SkiaCanvas::recordPartialSave(SaveFlags::Flags flags) {
271    // A partial save is a save operation which doesn't capture the full canvas state.
272    // (either SaveFlags::Matrix or SaveFlags::Clip is missing).
273
274    // Mask-out non canvas state bits.
275    flags &= SaveFlags::MatrixClip;
276
277    if (flags == SaveFlags::MatrixClip) {
278        // not a partial save.
279        return;
280    }
281
282    if (!mSaveStack) {
283        mSaveStack.reset(new SkDeque(sizeof(struct SaveRec), 8));
284    }
285
286    SaveRec* rec = static_cast<SaveRec*>(mSaveStack->push_back());
287    rec->saveCount = mCanvas->getSaveCount();
288    rec->saveFlags = flags;
289    rec->clipIndex = mClipStack.size();
290}
291
292template <typename T>
293void SkiaCanvas::recordClip(const T& clip, SkClipOp op) {
294    // Only need tracking when in a partial save frame which
295    // doesn't restore the clip.
296    const SaveRec* rec = this->currentSaveRec();
297    if (rec && !(rec->saveFlags & SaveFlags::Clip)) {
298        mClipStack.emplace_back(clip, op, mCanvas->getTotalMatrix());
299    }
300}
301
302// Applies and optionally removes all clips >= index.
303void SkiaCanvas::applyPersistentClips(size_t clipStartIndex) {
304    SkASSERT(clipStartIndex <= mClipStack.size());
305    const auto begin = mClipStack.cbegin() + clipStartIndex;
306    const auto end = mClipStack.cend();
307
308    // Clip application mutates the CTM.
309    const SkMatrix saveMatrix = mCanvas->getTotalMatrix();
310
311    for (auto clip = begin; clip != end; ++clip) {
312        clip->apply(mCanvas);
313    }
314
315    mCanvas->setMatrix(saveMatrix);
316
317    // If the current/post-restore save rec is also persisting clips, we
318    // leave them on the stack to be reapplied part of the next restore().
319    // Otherwise we're done and just pop them.
320    const auto* rec = this->currentSaveRec();
321    if (!rec || (rec->saveFlags & SaveFlags::Clip)) {
322        mClipStack.erase(begin, end);
323    }
324}
325
326// ----------------------------------------------------------------------------
327// Canvas state operations: Matrix
328// ----------------------------------------------------------------------------
329
330void SkiaCanvas::getMatrix(SkMatrix* outMatrix) const {
331    *outMatrix = mCanvas->getTotalMatrix();
332}
333
334void SkiaCanvas::setMatrix(const SkMatrix& matrix) {
335    mCanvas->setMatrix(matrix);
336}
337
338void SkiaCanvas::concat(const SkMatrix& matrix) {
339    mCanvas->concat(matrix);
340}
341
342void SkiaCanvas::rotate(float degrees) {
343    mCanvas->rotate(degrees);
344}
345
346void SkiaCanvas::scale(float sx, float sy) {
347    mCanvas->scale(sx, sy);
348}
349
350void SkiaCanvas::skew(float sx, float sy) {
351    mCanvas->skew(sx, sy);
352}
353
354void SkiaCanvas::translate(float dx, float dy) {
355    mCanvas->translate(dx, dy);
356}
357
358// ----------------------------------------------------------------------------
359// Canvas state operations: Clips
360// ----------------------------------------------------------------------------
361
362// This function is a mirror of SkCanvas::getClipBounds except that it does
363// not outset the edge of the clip to account for anti-aliasing. There is
364// a skia bug to investigate pushing this logic into back into skia.
365// (see https://code.google.com/p/skia/issues/detail?id=1303)
366bool SkiaCanvas::getClipBounds(SkRect* outRect) const {
367    SkIRect ibounds;
368    if (!mCanvas->getDeviceClipBounds(&ibounds)) {
369        return false;
370    }
371
372    SkMatrix inverse;
373    // if we can't invert the CTM, we can't return local clip bounds
374    if (!mCanvas->getTotalMatrix().invert(&inverse)) {
375        if (outRect) {
376            outRect->setEmpty();
377        }
378        return false;
379    }
380
381    if (NULL != outRect) {
382        SkRect r = SkRect::Make(ibounds);
383        inverse.mapRect(outRect, r);
384    }
385    return true;
386}
387
388bool SkiaCanvas::quickRejectRect(float left, float top, float right, float bottom) const {
389    SkRect bounds = SkRect::MakeLTRB(left, top, right, bottom);
390    return mCanvas->quickReject(bounds);
391}
392
393bool SkiaCanvas::quickRejectPath(const SkPath& path) const {
394    return mCanvas->quickReject(path);
395}
396
397bool SkiaCanvas::clipRect(float left, float top, float right, float bottom, SkClipOp op) {
398    SkRect rect = SkRect::MakeLTRB(left, top, right, bottom);
399    this->recordClip(rect, op);
400    mCanvas->clipRect(rect, op);
401    return !mCanvas->isClipEmpty();
402}
403
404bool SkiaCanvas::clipPath(const SkPath* path, SkClipOp op) {
405    SkRRect roundRect;
406    if (path->isRRect(&roundRect)) {
407        this->recordClip(roundRect, op);
408        mCanvas->clipRRect(roundRect, op);
409    } else {
410        this->recordClip(*path, op);
411        mCanvas->clipPath(*path, op);
412    }
413    return !mCanvas->isClipEmpty();
414}
415
416// ----------------------------------------------------------------------------
417// Canvas state operations: Filters
418// ----------------------------------------------------------------------------
419
420SkDrawFilter* SkiaCanvas::getDrawFilter() {
421    return mCanvas->getDrawFilter();
422}
423
424void SkiaCanvas::setDrawFilter(SkDrawFilter* drawFilter) {
425    mCanvas->setDrawFilter(drawFilter);
426}
427
428// ----------------------------------------------------------------------------
429// Canvas draw operations
430// ----------------------------------------------------------------------------
431
432void SkiaCanvas::drawColor(int color, SkBlendMode mode) {
433    mCanvas->drawColor(color, mode);
434}
435
436void SkiaCanvas::drawPaint(const SkPaint& paint) {
437    mCanvas->drawPaint(paint);
438}
439
440// ----------------------------------------------------------------------------
441// Canvas draw operations: Geometry
442// ----------------------------------------------------------------------------
443
444void SkiaCanvas::drawPoints(const float* points, int count, const SkPaint& paint,
445                            SkCanvas::PointMode mode) {
446    if (CC_UNLIKELY(count < 2 || paint.nothingToDraw())) return;
447    // convert the floats into SkPoints
448    count >>= 1;    // now it is the number of points
449    std::unique_ptr<SkPoint[]> pts(new SkPoint[count]);
450    for (int i = 0; i < count; i++) {
451        pts[i].set(points[0], points[1]);
452        points += 2;
453    }
454    mCanvas->drawPoints(mode, count, pts.get(), paint);
455}
456
457
458void SkiaCanvas::drawPoint(float x, float y, const SkPaint& paint) {
459    mCanvas->drawPoint(x, y, paint);
460}
461
462void SkiaCanvas::drawPoints(const float* points, int count, const SkPaint& paint) {
463    this->drawPoints(points, count, paint, SkCanvas::kPoints_PointMode);
464}
465
466void SkiaCanvas::drawLine(float startX, float startY, float stopX, float stopY,
467                          const SkPaint& paint) {
468    mCanvas->drawLine(startX, startY, stopX, stopY, paint);
469}
470
471void SkiaCanvas::drawLines(const float* points, int count, const SkPaint& paint) {
472    if (CC_UNLIKELY(count < 4 || paint.nothingToDraw())) return;
473    this->drawPoints(points, count, paint, SkCanvas::kLines_PointMode);
474}
475
476void SkiaCanvas::drawRect(float left, float top, float right, float bottom,
477        const SkPaint& paint) {
478    if (CC_UNLIKELY(paint.nothingToDraw())) return;
479    mCanvas->drawRectCoords(left, top, right, bottom, paint);
480
481}
482
483void SkiaCanvas::drawRegion(const SkRegion& region, const SkPaint& paint) {
484    if (CC_UNLIKELY(paint.nothingToDraw())) return;
485    mCanvas->drawRegion(region, paint);
486}
487
488void SkiaCanvas::drawRoundRect(float left, float top, float right, float bottom,
489        float rx, float ry, const SkPaint& paint) {
490    if (CC_UNLIKELY(paint.nothingToDraw())) return;
491    SkRect rect = SkRect::MakeLTRB(left, top, right, bottom);
492    mCanvas->drawRoundRect(rect, rx, ry, paint);
493}
494
495void SkiaCanvas::drawCircle(float x, float y, float radius, const SkPaint& paint) {
496    if (CC_UNLIKELY(radius <= 0 || paint.nothingToDraw())) return;
497    mCanvas->drawCircle(x, y, radius, paint);
498}
499
500void SkiaCanvas::drawOval(float left, float top, float right, float bottom, const SkPaint& paint) {
501    if (CC_UNLIKELY(paint.nothingToDraw())) return;
502    SkRect oval = SkRect::MakeLTRB(left, top, right, bottom);
503    mCanvas->drawOval(oval, paint);
504}
505
506void SkiaCanvas::drawArc(float left, float top, float right, float bottom,
507        float startAngle, float sweepAngle, bool useCenter, const SkPaint& paint) {
508    if (CC_UNLIKELY(paint.nothingToDraw())) return;
509    SkRect arc = SkRect::MakeLTRB(left, top, right, bottom);
510    mCanvas->drawArc(arc, startAngle, sweepAngle, useCenter, paint);
511}
512
513void SkiaCanvas::drawPath(const SkPath& path, const SkPaint& paint) {
514    if (CC_UNLIKELY(paint.nothingToDraw())) return;
515    mCanvas->drawPath(path, paint);
516}
517
518void SkiaCanvas::drawVertices(SkCanvas::VertexMode vertexMode, int vertexCount,
519                              const float* verts, const float* texs, const int* colors,
520                              const uint16_t* indices, int indexCount, const SkPaint& paint) {
521#ifndef SK_SCALAR_IS_FLOAT
522    SkDEBUGFAIL("SkScalar must be a float for these conversions to be valid");
523#endif
524    const int ptCount = vertexCount >> 1;
525    mCanvas->drawVertices(vertexMode, ptCount, (SkPoint*)verts, (SkPoint*)texs,
526                          (SkColor*)colors, indices, indexCount, paint);
527}
528
529// ----------------------------------------------------------------------------
530// Canvas draw operations: Bitmaps
531// ----------------------------------------------------------------------------
532
533void SkiaCanvas::drawBitmap(Bitmap& bitmap, float left, float top, const SkPaint* paint) {
534    SkBitmap skBitmap;
535    bitmap.getSkBitmap(&skBitmap);
536    mCanvas->drawBitmap(skBitmap, left, top, paint);
537}
538
539void SkiaCanvas::drawBitmap(Bitmap& hwuiBitmap, const SkMatrix& matrix, const SkPaint* paint) {
540    SkBitmap bitmap;
541    hwuiBitmap.getSkBitmap(&bitmap);
542    SkAutoCanvasRestore acr(mCanvas, true);
543    mCanvas->concat(matrix);
544    mCanvas->drawBitmap(bitmap, 0, 0, paint);
545}
546
547void SkiaCanvas::drawBitmap(Bitmap& hwuiBitmap, float srcLeft, float srcTop,
548                            float srcRight, float srcBottom, float dstLeft, float dstTop,
549                            float dstRight, float dstBottom, const SkPaint* paint) {
550    SkBitmap bitmap;
551    hwuiBitmap.getSkBitmap(&bitmap);
552    SkRect srcRect = SkRect::MakeLTRB(srcLeft, srcTop, srcRight, srcBottom);
553    SkRect dstRect = SkRect::MakeLTRB(dstLeft, dstTop, dstRight, dstBottom);
554    mCanvas->drawBitmapRect(bitmap, srcRect, dstRect, paint);
555}
556
557void SkiaCanvas::drawBitmapMesh(Bitmap& hwuiBitmap, int meshWidth, int meshHeight,
558        const float* vertices, const int* colors, const SkPaint* paint) {
559    SkBitmap bitmap;
560    hwuiBitmap.getSkBitmap(&bitmap);
561    const int ptCount = (meshWidth + 1) * (meshHeight + 1);
562    const int indexCount = meshWidth * meshHeight * 6;
563
564    /*  Our temp storage holds 2 or 3 arrays.
565        texture points [ptCount * sizeof(SkPoint)]
566        optionally vertex points [ptCount * sizeof(SkPoint)] if we need a
567            copy to convert from float to fixed
568        indices [ptCount * sizeof(uint16_t)]
569    */
570    ssize_t storageSize = ptCount * sizeof(SkPoint); // texs[]
571    storageSize += indexCount * sizeof(uint16_t);  // indices[]
572
573
574#ifndef SK_SCALAR_IS_FLOAT
575    SkDEBUGFAIL("SkScalar must be a float for these conversions to be valid");
576#endif
577    std::unique_ptr<char[]> storage(new char[storageSize]);
578    SkPoint* texs = (SkPoint*)storage.get();
579    uint16_t* indices = (uint16_t*)(texs + ptCount);
580
581    // cons up texture coordinates and indices
582    {
583        const SkScalar w = SkIntToScalar(bitmap.width());
584        const SkScalar h = SkIntToScalar(bitmap.height());
585        const SkScalar dx = w / meshWidth;
586        const SkScalar dy = h / meshHeight;
587
588        SkPoint* texsPtr = texs;
589        SkScalar y = 0;
590        for (int i = 0; i <= meshHeight; i++) {
591            if (i == meshHeight) {
592                y = h;  // to ensure numerically we hit h exactly
593            }
594            SkScalar x = 0;
595            for (int j = 0; j < meshWidth; j++) {
596                texsPtr->set(x, y);
597                texsPtr += 1;
598                x += dx;
599            }
600            texsPtr->set(w, y);
601            texsPtr += 1;
602            y += dy;
603        }
604        SkASSERT(texsPtr - texs == ptCount);
605    }
606
607    // cons up indices
608    {
609        uint16_t* indexPtr = indices;
610        int index = 0;
611        for (int i = 0; i < meshHeight; i++) {
612            for (int j = 0; j < meshWidth; j++) {
613                // lower-left triangle
614                *indexPtr++ = index;
615                *indexPtr++ = index + meshWidth + 1;
616                *indexPtr++ = index + meshWidth + 2;
617                // upper-right triangle
618                *indexPtr++ = index;
619                *indexPtr++ = index + meshWidth + 2;
620                *indexPtr++ = index + 1;
621                // bump to the next cell
622                index += 1;
623            }
624            // bump to the next row
625            index += 1;
626        }
627        SkASSERT(indexPtr - indices == indexCount);
628        SkASSERT((char*)indexPtr - (char*)storage.get() == storageSize);
629    }
630
631    // double-check that we have legal indices
632#ifdef SK_DEBUG
633    {
634        for (int i = 0; i < indexCount; i++) {
635            SkASSERT((unsigned)indices[i] < (unsigned)ptCount);
636        }
637    }
638#endif
639
640    // cons-up a shader for the bitmap
641    SkPaint tmpPaint;
642    if (paint) {
643        tmpPaint = *paint;
644    }
645
646    sk_sp<SkImage> image = SkMakeImageFromRasterBitmap(bitmap, kNever_SkCopyPixelsMode);
647    tmpPaint.setShader(image->makeShader(SkShader::kClamp_TileMode, SkShader::kClamp_TileMode));
648
649    mCanvas->drawVertices(SkCanvas::kTriangles_VertexMode, ptCount, (SkPoint*)vertices,
650                         texs, (const SkColor*)colors, indices,
651                         indexCount, tmpPaint);
652}
653
654void SkiaCanvas::drawNinePatch(Bitmap& hwuiBitmap, const Res_png_9patch& chunk,
655        float dstLeft, float dstTop, float dstRight, float dstBottom, const SkPaint* paint) {
656
657    SkBitmap bitmap;
658    hwuiBitmap.getSkBitmap(&bitmap);
659
660    SkCanvas::Lattice lattice;
661    NinePatchUtils::SetLatticeDivs(&lattice, chunk, bitmap.width(), bitmap.height());
662
663    lattice.fFlags = nullptr;
664    int numFlags = 0;
665    if (chunk.numColors > 0 && chunk.numColors == NinePatchUtils::NumDistinctRects(lattice)) {
666        // We can expect the framework to give us a color for every distinct rect.
667        // Skia requires a flag for every rect.
668        numFlags = (lattice.fXCount + 1) * (lattice.fYCount + 1);
669    }
670
671    SkAutoSTMalloc<25, SkCanvas::Lattice::Flags> flags(numFlags);
672    if (numFlags > 0) {
673        NinePatchUtils::SetLatticeFlags(&lattice, flags.get(), numFlags, chunk);
674    }
675
676    lattice.fBounds = nullptr;
677    SkRect dst = SkRect::MakeLTRB(dstLeft, dstTop, dstRight, dstBottom);
678    mCanvas->drawBitmapLattice(bitmap, lattice, dst, paint);
679}
680
681void SkiaCanvas::drawVectorDrawable(VectorDrawableRoot* vectorDrawable) {
682    vectorDrawable->drawStaging(this);
683}
684
685// ----------------------------------------------------------------------------
686// Canvas draw operations: Text
687// ----------------------------------------------------------------------------
688
689void SkiaCanvas::drawGlyphs(const uint16_t* text, const float* positions, int count,
690        const SkPaint& paint, float x, float y,
691        float boundsLeft, float boundsTop, float boundsRight, float boundsBottom,
692        float totalAdvance) {
693     if (!text || !positions || count <= 0 || paint.nothingToDraw()) return;
694    // Set align to left for drawing, as we don't want individual
695    // glyphs centered or right-aligned; the offset above takes
696    // care of all alignment.
697    SkPaint paintCopy(paint);
698    paintCopy.setTextAlign(SkPaint::kLeft_Align);
699
700    SkRect bounds = SkRect::MakeLTRB(boundsLeft + x, boundsTop + y,
701                                     boundsRight + x, boundsBottom + y);
702
703    SkTextBlobBuilder builder;
704    const SkTextBlobBuilder::RunBuffer& buffer = builder.allocRunPos(paintCopy, count, &bounds);
705    // TODO: we could reduce the number of memcpy's if the this were exposed further up
706    //       in the architecture.
707    memcpy(buffer.glyphs, text, count * sizeof(uint16_t));
708    memcpy(buffer.pos, positions, (count << 1) * sizeof(float));
709
710    sk_sp<SkTextBlob> textBlob(builder.make());
711    mCanvas->drawTextBlob(textBlob, 0, 0, paintCopy);
712    drawTextDecorations(x, y, totalAdvance, paintCopy);
713}
714
715void SkiaCanvas::drawLayoutOnPath(const minikin::Layout& layout, float hOffset, float vOffset,
716        const SkPaint& paint, const SkPath& path, size_t start, size_t end) {
717    const int N = end - start;
718    SkAutoSTMalloc<1024, uint8_t> storage(N * (sizeof(uint16_t) + sizeof(SkRSXform)));
719    SkRSXform* xform = (SkRSXform*)storage.get();
720    uint16_t* glyphs = (uint16_t*)(xform + N);
721    SkPathMeasure meas(path, false);
722
723    for (size_t i = start; i < end; i++) {
724        glyphs[i - start] = layout.getGlyphId(i);
725        float x = hOffset + layout.getX(i);
726        float y = vOffset + layout.getY(i);
727
728        SkPoint pos;
729        SkVector tan;
730        if (!meas.getPosTan(x, &pos, &tan)) {
731            pos.set(x, y);
732            tan.set(1, 0);
733        }
734        xform[i - start].fSCos = tan.x();
735        xform[i - start].fSSin = tan.y();
736        xform[i - start].fTx   = pos.x() - tan.y() * y;
737        xform[i - start].fTy   = pos.y() + tan.x() * y;
738    }
739
740    this->asSkCanvas()->drawTextRSXform(glyphs, sizeof(uint16_t) * N, xform, nullptr, paint);
741}
742
743// ----------------------------------------------------------------------------
744// Canvas draw operations: Animations
745// ----------------------------------------------------------------------------
746
747void SkiaCanvas::drawRoundRect(uirenderer::CanvasPropertyPrimitive* left,
748        uirenderer::CanvasPropertyPrimitive* top, uirenderer::CanvasPropertyPrimitive* right,
749        uirenderer::CanvasPropertyPrimitive* bottom, uirenderer::CanvasPropertyPrimitive* rx,
750        uirenderer::CanvasPropertyPrimitive* ry, uirenderer::CanvasPropertyPaint* paint) {
751    sk_sp<uirenderer::skiapipeline::AnimatedRoundRect> drawable(
752            new uirenderer::skiapipeline::AnimatedRoundRect(left, top, right, bottom, rx, ry, paint));
753    mCanvas->drawDrawable(drawable.get());
754}
755
756void SkiaCanvas::drawCircle(uirenderer::CanvasPropertyPrimitive* x, uirenderer::CanvasPropertyPrimitive* y,
757        uirenderer::CanvasPropertyPrimitive* radius, uirenderer::CanvasPropertyPaint* paint) {
758    sk_sp<uirenderer::skiapipeline::AnimatedCircle> drawable(new uirenderer::skiapipeline::AnimatedCircle(x, y, radius, paint));
759    mCanvas->drawDrawable(drawable.get());
760}
761
762// ----------------------------------------------------------------------------
763// Canvas draw operations: View System
764// ----------------------------------------------------------------------------
765
766void SkiaCanvas::drawLayer(uirenderer::DeferredLayerUpdater* layerUpdater) {
767    LOG_ALWAYS_FATAL("SkiaCanvas can't directly draw Layers");
768}
769
770void SkiaCanvas::drawRenderNode(uirenderer::RenderNode* renderNode) {
771    LOG_ALWAYS_FATAL("SkiaCanvas can't directly draw RenderNodes");
772}
773
774void SkiaCanvas::callDrawGLFunction(Functor* functor,
775        uirenderer::GlFunctorLifecycleListener* listener) {
776    LOG_ALWAYS_FATAL("SkiaCanvas can't directly draw GL Content");
777}
778
779} // namespace android
780