• Home
  • Line#
  • Scopes#
  • Navigate#
  • Raw
  • Download
1 /*
2  * Copyright 2011 Google Inc.
3  *
4  * Use of this source code is governed by a BSD-style license that can be
5  * found in the LICENSE file.
6  */
7 
8 #include "src/gpu/SkGpuDevice.h"
9 
10 #include "include/core/SkImageFilter.h"
11 #include "include/core/SkPathEffect.h"
12 #include "include/core/SkPicture.h"
13 #include "include/core/SkSurface.h"
14 #include "include/core/SkVertices.h"
15 #include "include/gpu/GrContext.h"
16 #include "include/private/SkImageInfoPriv.h"
17 #include "include/private/SkShadowFlags.h"
18 #include "include/private/SkTo.h"
19 #include "src/core/SkCanvasPriv.h"
20 #include "src/core/SkClipStack.h"
21 #include "src/core/SkDraw.h"
22 #include "src/core/SkImageFilterCache.h"
23 #include "src/core/SkImageFilter_Base.h"
24 #include "src/core/SkLatticeIter.h"
25 #include "src/core/SkMakeUnique.h"
26 #include "src/core/SkPictureData.h"
27 #include "src/core/SkRRectPriv.h"
28 #include "src/core/SkRasterClip.h"
29 #include "src/core/SkRecord.h"
30 #include "src/core/SkSpecialImage.h"
31 #include "src/core/SkStroke.h"
32 #include "src/core/SkTLazy.h"
33 #include "src/core/SkVertState.h"
34 #include "src/core/SkWritePixelsRec.h"
35 #include "src/gpu/GrBitmapTextureMaker.h"
36 #include "src/gpu/GrBlurUtils.h"
37 #include "src/gpu/GrContextPriv.h"
38 #include "src/gpu/GrGpu.h"
39 #include "src/gpu/GrImageTextureMaker.h"
40 #include "src/gpu/GrRenderTargetContextPriv.h"
41 #include "src/gpu/GrStyle.h"
42 #include "src/gpu/GrSurfaceProxyPriv.h"
43 #include "src/gpu/GrTextureAdjuster.h"
44 #include "src/gpu/GrTracing.h"
45 #include "src/gpu/SkGr.h"
46 #include "src/gpu/effects/GrBicubicEffect.h"
47 #include "src/gpu/effects/GrTextureDomain.h"
48 #include "src/gpu/geometry/GrShape.h"
49 #include "src/gpu/text/GrTextTarget.h"
50 #include "src/image/SkImage_Base.h"
51 #include "src/image/SkReadPixelsRec.h"
52 #include "src/image/SkSurface_Gpu.h"
53 #include "src/utils/SkUTF.h"
54 
55 #define ASSERT_SINGLE_OWNER \
56 SkDEBUGCODE(GrSingleOwner::AutoEnforce debug_SingleOwner(fContext->priv().singleOwner());)
57 
58 
59 ///////////////////////////////////////////////////////////////////////////////
60 
61 /** Checks that the alpha type is legal and gets constructor flags. Returns false if device creation
62     should fail. */
CheckAlphaTypeAndGetFlags(const SkImageInfo * info,SkGpuDevice::InitContents init,unsigned * flags)63 bool SkGpuDevice::CheckAlphaTypeAndGetFlags(
64                         const SkImageInfo* info, SkGpuDevice::InitContents init, unsigned* flags) {
65     *flags = 0;
66     if (info) {
67         switch (info->alphaType()) {
68             case kPremul_SkAlphaType:
69                 break;
70             case kOpaque_SkAlphaType:
71                 *flags |= SkGpuDevice::kIsOpaque_Flag;
72                 break;
73             default: // If it is unpremul or unknown don't try to render
74                 return false;
75         }
76     }
77     if (kClear_InitContents == init) {
78         *flags |= kNeedClear_Flag;
79     }
80     return true;
81 }
82 
Make(GrContext * context,sk_sp<GrRenderTargetContext> renderTargetContext,int width,int height,InitContents init)83 sk_sp<SkGpuDevice> SkGpuDevice::Make(GrContext* context,
84                                      sk_sp<GrRenderTargetContext> renderTargetContext,
85                                      int width, int height,
86                                      InitContents init) {
87     if (!renderTargetContext || context->priv().abandoned()) {
88         return nullptr;
89     }
90     unsigned flags;
91     if (!CheckAlphaTypeAndGetFlags(nullptr, init, &flags)) {
92         return nullptr;
93     }
94     return sk_sp<SkGpuDevice>(new SkGpuDevice(context, std::move(renderTargetContext),
95                                               width, height, flags));
96 }
97 
Make(GrContext * context,SkBudgeted budgeted,const SkImageInfo & info,int sampleCount,GrSurfaceOrigin origin,const SkSurfaceProps * props,GrMipMapped mipMapped,InitContents init)98 sk_sp<SkGpuDevice> SkGpuDevice::Make(GrContext* context, SkBudgeted budgeted,
99                                      const SkImageInfo& info, int sampleCount,
100                                      GrSurfaceOrigin origin, const SkSurfaceProps* props,
101                                      GrMipMapped mipMapped, InitContents init) {
102     unsigned flags;
103     if (!CheckAlphaTypeAndGetFlags(&info, init, &flags)) {
104         return nullptr;
105     }
106 
107     sk_sp<GrRenderTargetContext> renderTargetContext(MakeRenderTargetContext(context, budgeted,
108                                                                              info, sampleCount,
109                                                                              origin, props,
110                                                                              mipMapped));
111     if (!renderTargetContext) {
112         return nullptr;
113     }
114 
115     return sk_sp<SkGpuDevice>(new SkGpuDevice(context, std::move(renderTargetContext),
116                                               info.width(), info.height(), flags));
117 }
118 
make_info(GrRenderTargetContext * context,int w,int h,bool opaque)119 static SkImageInfo make_info(GrRenderTargetContext* context, int w, int h, bool opaque) {
120     SkColorType colorType = GrColorTypeToSkColorType(context->colorSpaceInfo().colorType());
121     return SkImageInfo::Make(w, h, colorType, opaque ? kOpaque_SkAlphaType : kPremul_SkAlphaType,
122                              context->colorSpaceInfo().refColorSpace());
123 }
124 
SkGpuDevice(GrContext * context,sk_sp<GrRenderTargetContext> renderTargetContext,int width,int height,unsigned flags)125 SkGpuDevice::SkGpuDevice(GrContext* context, sk_sp<GrRenderTargetContext> renderTargetContext,
126                          int width, int height, unsigned flags)
127     : INHERITED(make_info(renderTargetContext.get(), width, height,
128                           SkToBool(flags & kIsOpaque_Flag)), renderTargetContext->surfaceProps())
129     , fContext(SkRef(context))
130     , fRenderTargetContext(std::move(renderTargetContext))
131 {
132     fSize.set(width, height);
133 
134     if (flags & kNeedClear_Flag) {
135         this->clearAll();
136     }
137 }
138 
MakeRenderTargetContext(GrContext * context,SkBudgeted budgeted,const SkImageInfo & origInfo,int sampleCount,GrSurfaceOrigin origin,const SkSurfaceProps * surfaceProps,GrMipMapped mipMapped)139 sk_sp<GrRenderTargetContext> SkGpuDevice::MakeRenderTargetContext(
140                                                                GrContext* context,
141                                                                SkBudgeted budgeted,
142                                                                const SkImageInfo& origInfo,
143                                                                int sampleCount,
144                                                                GrSurfaceOrigin origin,
145                                                                const SkSurfaceProps* surfaceProps,
146                                                                GrMipMapped mipMapped) {
147     if (kUnknown_SkColorType == origInfo.colorType() ||
148         origInfo.width() < 0 || origInfo.height() < 0) {
149         return nullptr;
150     }
151 
152     if (!context) {
153         return nullptr;
154     }
155 
156     // This method is used to create SkGpuDevice's for SkSurface_Gpus. In this case
157     // they need to be exact.
158     return context->priv().makeDeferredRenderTargetContext(
159             SkBackingFit::kExact, origInfo.width(), origInfo.height(),
160             SkColorTypeToGrColorType(origInfo.colorType()), origInfo.refColorSpace(), sampleCount,
161             mipMapped, origin, surfaceProps, budgeted);
162 }
163 
filterTexture(SkSpecialImage * srcImg,int left,int top,SkIPoint * offset,const SkImageFilter * filter)164 sk_sp<SkSpecialImage> SkGpuDevice::filterTexture(SkSpecialImage* srcImg,
165                                                  int left, int top,
166                                                  SkIPoint* offset,
167                                                  const SkImageFilter* filter) {
168     SkASSERT(srcImg->isTextureBacked());
169     SkASSERT(filter);
170 
171     SkMatrix matrix = this->ctm();
172     matrix.postTranslate(SkIntToScalar(-left), SkIntToScalar(-top));
173     const SkIRect clipBounds = this->devClipBounds().makeOffset(-left, -top);
174     sk_sp<SkImageFilterCache> cache(this->getImageFilterCache());
175     SkColorType colorType =
176             GrColorTypeToSkColorType(fRenderTargetContext->colorSpaceInfo().colorType());
177     if (colorType == kUnknown_SkColorType) {
178         colorType = kRGBA_8888_SkColorType;
179     }
180     SkImageFilter_Base::Context ctx(matrix, clipBounds, cache.get(), colorType,
181                                     fRenderTargetContext->colorSpaceInfo().colorSpace(), srcImg);
182 
183     return as_IFB(filter)->filterImage(ctx, offset);
184 }
185 
186 ///////////////////////////////////////////////////////////////////////////////
187 
onReadPixels(const SkPixmap & pm,int x,int y)188 bool SkGpuDevice::onReadPixels(const SkPixmap& pm, int x, int y) {
189     ASSERT_SINGLE_OWNER
190 
191     if (!SkImageInfoValidConversion(pm.info(), this->imageInfo())) {
192         return false;
193     }
194 
195     return fRenderTargetContext->readPixels(pm.info(), pm.writable_addr(), pm.rowBytes(), {x, y});
196 }
197 
onWritePixels(const SkPixmap & pm,int x,int y)198 bool SkGpuDevice::onWritePixels(const SkPixmap& pm, int x, int y) {
199     ASSERT_SINGLE_OWNER
200 
201     if (!SkImageInfoValidConversion(this->imageInfo(), pm.info())) {
202         return false;
203     }
204 
205     return fRenderTargetContext->writePixels(pm.info(), pm.addr(), pm.rowBytes(), {x, y});
206 }
207 
onAccessPixels(SkPixmap * pmap)208 bool SkGpuDevice::onAccessPixels(SkPixmap* pmap) {
209     ASSERT_SINGLE_OWNER
210     return false;
211 }
212 
accessRenderTargetContext()213 GrRenderTargetContext* SkGpuDevice::accessRenderTargetContext() {
214     ASSERT_SINGLE_OWNER
215     return fRenderTargetContext.get();
216 }
217 
clearAll()218 void SkGpuDevice::clearAll() {
219     ASSERT_SINGLE_OWNER
220     GR_CREATE_TRACE_MARKER_CONTEXT("SkGpuDevice", "clearAll", fContext.get());
221 
222     SkIRect rect = SkIRect::MakeWH(this->width(), this->height());
223     fRenderTargetContext->clear(&rect, SK_PMColor4fTRANSPARENT,
224                                 GrRenderTargetContext::CanClearFullscreen::kYes);
225 }
226 
replaceRenderTargetContext(sk_sp<GrRenderTargetContext> rtc,bool shouldRetainContent)227 void SkGpuDevice::replaceRenderTargetContext(sk_sp<GrRenderTargetContext> rtc,
228                                              bool shouldRetainContent) {
229     SkASSERT(rtc->width() == this->width());
230     SkASSERT(rtc->height() == this->height());
231     SkASSERT(rtc->numSamples() == fRenderTargetContext->numSamples());
232     SkASSERT(rtc->asSurfaceProxy()->priv().isExact());
233     if (shouldRetainContent) {
234         if (this->context()->abandoned()) {
235             return;
236         }
237 
238         SkASSERT(fRenderTargetContext->asTextureProxy());
239         SkAssertResult(rtc->blitTexture(fRenderTargetContext->asTextureProxy(),
240                                         SkIRect::MakeWH(this->width(), this->height()),
241                                         SkIPoint::Make(0,0)));
242     }
243 
244     fRenderTargetContext = std::move(rtc);
245 }
246 
replaceRenderTargetContext(bool shouldRetainContent)247 void SkGpuDevice::replaceRenderTargetContext(bool shouldRetainContent) {
248     ASSERT_SINGLE_OWNER
249 
250     SkBudgeted budgeted = fRenderTargetContext->priv().isBudgeted();
251 
252     // This entry point is used by SkSurface_Gpu::onCopyOnWrite so it must create a
253     // kExact-backed render target context.
254     sk_sp<GrRenderTargetContext> newRTC(MakeRenderTargetContext(
255                                                             this->context(),
256                                                             budgeted,
257                                                             this->imageInfo(),
258                                                             fRenderTargetContext->numSamples(),
259                                                             fRenderTargetContext->origin(),
260                                                             &this->surfaceProps(),
261                                                             fRenderTargetContext->mipMapped()));
262     if (!newRTC) {
263         return;
264     }
265     this->replaceRenderTargetContext(std::move(newRTC), shouldRetainContent);
266 }
267 
268 ///////////////////////////////////////////////////////////////////////////////
269 
drawPaint(const SkPaint & paint)270 void SkGpuDevice::drawPaint(const SkPaint& paint) {
271     ASSERT_SINGLE_OWNER
272     GR_CREATE_TRACE_MARKER_CONTEXT("SkGpuDevice", "drawPaint", fContext.get());
273 
274     GrPaint grPaint;
275     if (!SkPaintToGrPaint(this->context(), fRenderTargetContext->colorSpaceInfo(), paint,
276                           this->ctm(), &grPaint)) {
277         return;
278     }
279 
280     fRenderTargetContext->drawPaint(this->clip(), std::move(grPaint), this->ctm());
281 }
282 
point_mode_to_primitive_type(SkCanvas::PointMode mode)283 static inline GrPrimitiveType point_mode_to_primitive_type(SkCanvas::PointMode mode) {
284     switch (mode) {
285         case SkCanvas::kPoints_PointMode:
286             return GrPrimitiveType::kPoints;
287         case SkCanvas::kLines_PointMode:
288             return GrPrimitiveType::kLines;
289         case SkCanvas::kPolygon_PointMode:
290             return GrPrimitiveType::kLineStrip;
291     }
292     SK_ABORT("Unexpected mode");
293 }
294 
drawPoints(SkCanvas::PointMode mode,size_t count,const SkPoint pts[],const SkPaint & paint)295 void SkGpuDevice::drawPoints(SkCanvas::PointMode mode,
296                              size_t count, const SkPoint pts[], const SkPaint& paint) {
297     ASSERT_SINGLE_OWNER
298     GR_CREATE_TRACE_MARKER_CONTEXT("SkGpuDevice", "drawPoints", fContext.get());
299     SkScalar width = paint.getStrokeWidth();
300     if (width < 0) {
301         return;
302     }
303 
304     if (paint.getPathEffect() && 2 == count && SkCanvas::kLines_PointMode == mode) {
305         GrStyle style(paint, SkPaint::kStroke_Style);
306         GrPaint grPaint;
307         if (!SkPaintToGrPaint(this->context(), fRenderTargetContext->colorSpaceInfo(), paint,
308                               this->ctm(), &grPaint)) {
309             return;
310         }
311         SkPath path;
312         path.setIsVolatile(true);
313         path.moveTo(pts[0]);
314         path.lineTo(pts[1]);
315         fRenderTargetContext->drawPath(this->clip(), std::move(grPaint), GrAA(paint.isAntiAlias()),
316                                        this->ctm(), path, style);
317         return;
318     }
319 
320     SkScalar scales[2];
321     bool isHairline = (0 == width) || (1 == width && this->ctm().getMinMaxScales(scales) &&
322                                        SkScalarNearlyEqual(scales[0], 1.f) &&
323                                        SkScalarNearlyEqual(scales[1], 1.f));
324     // we only handle non-antialiased hairlines and paints without path effects or mask filters,
325     // else we let the SkDraw call our drawPath()
326     if (!isHairline || paint.getPathEffect() || paint.getMaskFilter() || paint.isAntiAlias()) {
327         SkRasterClip rc(this->devClipBounds());
328         SkDraw draw;
329         draw.fDst = SkPixmap(SkImageInfo::MakeUnknown(this->width(), this->height()), nullptr, 0);
330         draw.fMatrix = &this->ctm();
331         draw.fRC = &rc;
332         draw.drawPoints(mode, count, pts, paint, this);
333         return;
334     }
335 
336     GrPrimitiveType primitiveType = point_mode_to_primitive_type(mode);
337 
338     const SkMatrix* viewMatrix = &this->ctm();
339 #ifdef SK_BUILD_FOR_ANDROID_FRAMEWORK
340     // This offsetting in device space matches the expectations of the Android framework for non-AA
341     // points and lines.
342     SkMatrix tempMatrix;
343     if (GrIsPrimTypeLines(primitiveType) || GrPrimitiveType::kPoints == primitiveType) {
344         tempMatrix = *viewMatrix;
345         static const SkScalar kOffset = 0.063f; // Just greater than 1/16.
346         tempMatrix.postTranslate(kOffset, kOffset);
347         viewMatrix = &tempMatrix;
348     }
349 #endif
350 
351     GrPaint grPaint;
352     if (!SkPaintToGrPaint(this->context(), fRenderTargetContext->colorSpaceInfo(), paint,
353                           *viewMatrix, &grPaint)) {
354         return;
355     }
356 
357     static constexpr SkVertices::VertexMode kIgnoredMode = SkVertices::kTriangles_VertexMode;
358     sk_sp<SkVertices> vertices = SkVertices::MakeCopy(kIgnoredMode, SkToS32(count), pts, nullptr,
359                                                       nullptr);
360 
361     fRenderTargetContext->drawVertices(this->clip(), std::move(grPaint), *viewMatrix,
362                                        std::move(vertices), nullptr, 0, &primitiveType);
363 }
364 
365 ///////////////////////////////////////////////////////////////////////////////
366 
drawRect(const SkRect & rect,const SkPaint & paint)367 void SkGpuDevice::drawRect(const SkRect& rect, const SkPaint& paint) {
368     ASSERT_SINGLE_OWNER
369     GR_CREATE_TRACE_MARKER_CONTEXT("SkGpuDevice", "drawRect", fContext.get());
370 
371     GrStyle style(paint);
372 
373     // A couple reasons we might need to call drawPath.
374     if (paint.getMaskFilter() || paint.getPathEffect()) {
375         GrShape shape(rect, style);
376 
377         GrBlurUtils::drawShapeWithMaskFilter(fContext.get(), fRenderTargetContext.get(),
378                                              this->clip(), paint, this->ctm(), shape);
379         return;
380     }
381 
382     GrPaint grPaint;
383     if (!SkPaintToGrPaint(this->context(), fRenderTargetContext->colorSpaceInfo(), paint,
384                           this->ctm(), &grPaint)) {
385         return;
386     }
387 
388     fRenderTargetContext->drawRect(this->clip(), std::move(grPaint), GrAA(paint.isAntiAlias()),
389                                    this->ctm(), rect, &style);
390 }
391 
drawEdgeAAQuad(const SkRect & rect,const SkPoint clip[4],SkCanvas::QuadAAFlags aaFlags,SkColor color,SkBlendMode mode)392 void SkGpuDevice::drawEdgeAAQuad(const SkRect& rect, const SkPoint clip[4],
393                                  SkCanvas::QuadAAFlags aaFlags, SkColor color, SkBlendMode mode) {
394     ASSERT_SINGLE_OWNER
395     GR_CREATE_TRACE_MARKER_CONTEXT("SkGpuDevice", "drawEdgeAAQuad", fContext.get());
396 
397     SkPMColor4f dstColor = SkColor4fPrepForDst(SkColor4f::FromColor(color),
398                                               fRenderTargetContext->colorSpaceInfo())
399                            .premul();
400 
401     GrPaint grPaint;
402     grPaint.setColor4f(dstColor);
403     if (mode != SkBlendMode::kSrcOver) {
404         grPaint.setXPFactory(SkBlendMode_AsXPFactory(mode));
405     }
406 
407     // This is exclusively meant for tiling operations, so keep AA enabled to handle MSAA seaming
408     GrQuadAAFlags grAA = SkToGrQuadAAFlags(aaFlags);
409     if (clip) {
410         // Use fillQuadWithEdgeAA
411         fRenderTargetContext->fillQuadWithEdgeAA(this->clip(), std::move(grPaint), GrAA::kYes, grAA,
412                                                  this->ctm(), clip, nullptr);
413     } else {
414         // Use fillRectWithEdgeAA to preserve mathematical properties of dst being rectangular
415         fRenderTargetContext->fillRectWithEdgeAA(this->clip(), std::move(grPaint), GrAA::kYes, grAA,
416                                                  this->ctm(), rect);
417     }
418 }
419 
420 ///////////////////////////////////////////////////////////////////////////////
421 
drawRRect(const SkRRect & rrect,const SkPaint & paint)422 void SkGpuDevice::drawRRect(const SkRRect& rrect, const SkPaint& paint) {
423     ASSERT_SINGLE_OWNER
424     GR_CREATE_TRACE_MARKER_CONTEXT("SkGpuDevice", "drawRRect", fContext.get());
425 
426     SkMaskFilterBase* mf = as_MFB(paint.getMaskFilter());
427     if (mf) {
428         if (mf->hasFragmentProcessor()) {
429             mf = nullptr; // already handled in SkPaintToGrPaint
430         }
431     }
432 
433     GrStyle style(paint);
434 
435     if (mf || style.pathEffect()) {
436         // A path effect will presumably transform this rrect into something else.
437         GrShape shape(rrect, style);
438 
439         GrBlurUtils::drawShapeWithMaskFilter(fContext.get(), fRenderTargetContext.get(),
440                                              this->clip(), paint, this->ctm(), shape);
441         return;
442     }
443 
444     SkASSERT(!style.pathEffect());
445 
446     GrPaint grPaint;
447     if (!SkPaintToGrPaint(this->context(), fRenderTargetContext->colorSpaceInfo(), paint,
448                           this->ctm(), &grPaint)) {
449         return;
450     }
451 
452     fRenderTargetContext->drawRRect(this->clip(), std::move(grPaint), GrAA(paint.isAntiAlias()),
453                                     this->ctm(), rrect, style);
454 }
455 
456 
drawDRRect(const SkRRect & outer,const SkRRect & inner,const SkPaint & paint)457 void SkGpuDevice::drawDRRect(const SkRRect& outer, const SkRRect& inner, const SkPaint& paint) {
458     ASSERT_SINGLE_OWNER
459     GR_CREATE_TRACE_MARKER_CONTEXT("SkGpuDevice", "drawDRRect", fContext.get());
460     if (outer.isEmpty()) {
461        return;
462     }
463 
464     if (inner.isEmpty()) {
465         return this->drawRRect(outer, paint);
466     }
467 
468     SkStrokeRec stroke(paint);
469 
470     if (stroke.isFillStyle() && !paint.getMaskFilter() && !paint.getPathEffect()) {
471         GrPaint grPaint;
472         if (!SkPaintToGrPaint(this->context(), fRenderTargetContext->colorSpaceInfo(), paint,
473                               this->ctm(), &grPaint)) {
474             return;
475         }
476 
477         fRenderTargetContext->drawDRRect(this->clip(), std::move(grPaint),
478                                          GrAA(paint.isAntiAlias()), this->ctm(), outer, inner);
479         return;
480     }
481 
482     SkPath path;
483     path.setIsVolatile(true);
484     path.addRRect(outer);
485     path.addRRect(inner);
486     path.setFillType(SkPath::kEvenOdd_FillType);
487 
488     // TODO: We are losing the possible mutability of the path here but this should probably be
489     // fixed by upgrading GrShape to handle DRRects.
490     GrShape shape(path, paint);
491 
492     GrBlurUtils::drawShapeWithMaskFilter(fContext.get(), fRenderTargetContext.get(), this->clip(),
493                                          paint, this->ctm(), shape);
494 }
495 
496 
497 /////////////////////////////////////////////////////////////////////////////
498 
drawRegion(const SkRegion & region,const SkPaint & paint)499 void SkGpuDevice::drawRegion(const SkRegion& region, const SkPaint& paint) {
500     if (paint.getMaskFilter()) {
501         SkPath path;
502         region.getBoundaryPath(&path);
503         path.setIsVolatile(true);
504         return this->drawPath(path, paint, true);
505     }
506 
507     GrPaint grPaint;
508     if (!SkPaintToGrPaint(this->context(), fRenderTargetContext->colorSpaceInfo(), paint,
509                           this->ctm(), &grPaint)) {
510         return;
511     }
512 
513     fRenderTargetContext->drawRegion(this->clip(), std::move(grPaint), GrAA(paint.isAntiAlias()),
514                                      this->ctm(), region, GrStyle(paint));
515 }
516 
drawOval(const SkRect & oval,const SkPaint & paint)517 void SkGpuDevice::drawOval(const SkRect& oval, const SkPaint& paint) {
518     ASSERT_SINGLE_OWNER
519     GR_CREATE_TRACE_MARKER_CONTEXT("SkGpuDevice", "drawOval", fContext.get());
520 
521     if (paint.getMaskFilter()) {
522         // The RRect path can handle special case blurring
523         SkRRect rr = SkRRect::MakeOval(oval);
524         return this->drawRRect(rr, paint);
525     }
526 
527     GrPaint grPaint;
528     if (!SkPaintToGrPaint(this->context(), fRenderTargetContext->colorSpaceInfo(), paint,
529                           this->ctm(), &grPaint)) {
530         return;
531     }
532 
533     fRenderTargetContext->drawOval(this->clip(), std::move(grPaint), GrAA(paint.isAntiAlias()),
534                                    this->ctm(), oval, GrStyle(paint));
535 }
536 
drawArc(const SkRect & oval,SkScalar startAngle,SkScalar sweepAngle,bool useCenter,const SkPaint & paint)537 void SkGpuDevice::drawArc(const SkRect& oval, SkScalar startAngle,
538                           SkScalar sweepAngle, bool useCenter, const SkPaint& paint) {
539     ASSERT_SINGLE_OWNER
540     GR_CREATE_TRACE_MARKER_CONTEXT("SkGpuDevice", "drawArc", fContext.get());
541     if (paint.getMaskFilter()) {
542         this->INHERITED::drawArc(oval, startAngle, sweepAngle, useCenter, paint);
543         return;
544     }
545     GrPaint grPaint;
546     if (!SkPaintToGrPaint(this->context(), fRenderTargetContext->colorSpaceInfo(), paint,
547                           this->ctm(), &grPaint)) {
548         return;
549     }
550 
551     fRenderTargetContext->drawArc(this->clip(), std::move(grPaint), GrAA(paint.isAntiAlias()),
552                                   this->ctm(), oval, startAngle, sweepAngle, useCenter,
553                                   GrStyle(paint));
554 }
555 
556 #include "include/core/SkMaskFilter.h"
557 
558 ///////////////////////////////////////////////////////////////////////////////
drawStrokedLine(const SkPoint points[2],const SkPaint & origPaint)559 void SkGpuDevice::drawStrokedLine(const SkPoint points[2],
560                                   const SkPaint& origPaint) {
561     ASSERT_SINGLE_OWNER
562     GR_CREATE_TRACE_MARKER_CONTEXT("SkGpuDevice", "drawStrokedLine", fContext.get());
563     // Adding support for round capping would require a
564     // GrRenderTargetContext::fillRRectWithLocalMatrix entry point
565     SkASSERT(SkPaint::kRound_Cap != origPaint.getStrokeCap());
566     SkASSERT(SkPaint::kStroke_Style == origPaint.getStyle());
567     SkASSERT(!origPaint.getPathEffect());
568     SkASSERT(!origPaint.getMaskFilter());
569 
570     const SkScalar halfWidth = 0.5f * origPaint.getStrokeWidth();
571     SkASSERT(halfWidth > 0);
572 
573     SkVector v = points[1] - points[0];
574 
575     SkScalar length = SkPoint::Normalize(&v);
576     if (!length) {
577         v.fX = 1.0f;
578         v.fY = 0.0f;
579     }
580 
581     SkPaint newPaint(origPaint);
582     newPaint.setStyle(SkPaint::kFill_Style);
583 
584     SkScalar xtraLength = 0.0f;
585     if (SkPaint::kButt_Cap != origPaint.getStrokeCap()) {
586         xtraLength = halfWidth;
587     }
588 
589     SkPoint mid = points[0] + points[1];
590     mid.scale(0.5f);
591 
592     SkRect rect = SkRect::MakeLTRB(mid.fX-halfWidth, mid.fY - 0.5f*length - xtraLength,
593                                    mid.fX+halfWidth, mid.fY + 0.5f*length + xtraLength);
594     SkMatrix m;
595     m.setSinCos(v.fX, -v.fY, mid.fX, mid.fY);
596 
597     SkMatrix local = m;
598 
599     m.postConcat(this->ctm());
600 
601     GrPaint grPaint;
602     if (!SkPaintToGrPaint(this->context(), fRenderTargetContext->colorSpaceInfo(), newPaint, m,
603                           &grPaint)) {
604         return;
605     }
606 
607     fRenderTargetContext->fillRectWithLocalMatrix(
608             this->clip(), std::move(grPaint), GrAA(newPaint.isAntiAlias()), m, rect, local);
609 }
610 
drawPath(const SkPath & origSrcPath,const SkPaint & paint,bool pathIsMutable)611 void SkGpuDevice::drawPath(const SkPath& origSrcPath, const SkPaint& paint, bool pathIsMutable) {
612     ASSERT_SINGLE_OWNER
613     if (!origSrcPath.isInverseFillType() && !paint.getPathEffect()) {
614         SkPoint points[2];
615         if (SkPaint::kStroke_Style == paint.getStyle() && paint.getStrokeWidth() > 0 &&
616             !paint.getMaskFilter() && SkPaint::kRound_Cap != paint.getStrokeCap() &&
617             this->ctm().preservesRightAngles() && origSrcPath.isLine(points)) {
618             // Path-based stroking looks better for thin rects
619             SkScalar strokeWidth = this->ctm().getMaxScale() * paint.getStrokeWidth();
620             if (strokeWidth >= 1.0f) {
621                 // Round capping support is currently disabled b.c. it would require a RRect
622                 // GrDrawOp that takes a localMatrix.
623                 this->drawStrokedLine(points, paint);
624                 return;
625             }
626         }
627     }
628 
629     GR_CREATE_TRACE_MARKER_CONTEXT("SkGpuDevice", "drawPath", fContext.get());
630     if (!paint.getMaskFilter()) {
631         GrPaint grPaint;
632         if (!SkPaintToGrPaint(this->context(), fRenderTargetContext->colorSpaceInfo(), paint,
633                               this->ctm(), &grPaint)) {
634             return;
635         }
636         fRenderTargetContext->drawPath(this->clip(), std::move(grPaint), GrAA(paint.isAntiAlias()),
637                                        this->ctm(), origSrcPath, GrStyle(paint));
638         return;
639     }
640 
641     // TODO: losing possible mutability of 'origSrcPath' here
642     GrShape shape(origSrcPath, paint);
643 
644     GrBlurUtils::drawShapeWithMaskFilter(fContext.get(), fRenderTargetContext.get(), this->clip(),
645                                          paint, this->ctm(), shape);
646 }
647 
648 static const int kBmpSmallTileSize = 1 << 10;
649 
get_tile_count(const SkIRect & srcRect,int tileSize)650 static inline int get_tile_count(const SkIRect& srcRect, int tileSize)  {
651     int tilesX = (srcRect.fRight / tileSize) - (srcRect.fLeft / tileSize) + 1;
652     int tilesY = (srcRect.fBottom / tileSize) - (srcRect.fTop / tileSize) + 1;
653     return tilesX * tilesY;
654 }
655 
determine_tile_size(const SkIRect & src,int maxTileSize)656 static int determine_tile_size(const SkIRect& src, int maxTileSize) {
657     if (maxTileSize <= kBmpSmallTileSize) {
658         return maxTileSize;
659     }
660 
661     size_t maxTileTotalTileSize = get_tile_count(src, maxTileSize);
662     size_t smallTotalTileSize = get_tile_count(src, kBmpSmallTileSize);
663 
664     maxTileTotalTileSize *= maxTileSize * maxTileSize;
665     smallTotalTileSize *= kBmpSmallTileSize * kBmpSmallTileSize;
666 
667     if (maxTileTotalTileSize > 2 * smallTotalTileSize) {
668         return kBmpSmallTileSize;
669     } else {
670         return maxTileSize;
671     }
672 }
673 
674 // Given a bitmap, an optional src rect, and a context with a clip and matrix determine what
675 // pixels from the bitmap are necessary.
determine_clipped_src_rect(int width,int height,const GrClip & clip,const SkMatrix & viewMatrix,const SkMatrix & srcToDstRect,const SkISize & imageSize,const SkRect * srcRectPtr,SkIRect * clippedSrcIRect)676 static void determine_clipped_src_rect(int width, int height,
677                                        const GrClip& clip,
678                                        const SkMatrix& viewMatrix,
679                                        const SkMatrix& srcToDstRect,
680                                        const SkISize& imageSize,
681                                        const SkRect* srcRectPtr,
682                                        SkIRect* clippedSrcIRect) {
683     clip.getConservativeBounds(width, height, clippedSrcIRect, nullptr);
684     SkMatrix inv = SkMatrix::Concat(viewMatrix, srcToDstRect);
685     if (!inv.invert(&inv)) {
686         clippedSrcIRect->setEmpty();
687         return;
688     }
689     SkRect clippedSrcRect = SkRect::Make(*clippedSrcIRect);
690     inv.mapRect(&clippedSrcRect);
691     if (srcRectPtr) {
692         if (!clippedSrcRect.intersect(*srcRectPtr)) {
693             clippedSrcIRect->setEmpty();
694             return;
695         }
696     }
697     clippedSrcRect.roundOut(clippedSrcIRect);
698     SkIRect bmpBounds = SkIRect::MakeSize(imageSize);
699     if (!clippedSrcIRect->intersect(bmpBounds)) {
700         clippedSrcIRect->setEmpty();
701     }
702 }
703 
caps() const704 const GrCaps* SkGpuDevice::caps() const {
705     return fContext->priv().caps();
706 }
707 
shouldTileImageID(uint32_t imageID,const SkIRect & imageRect,const SkMatrix & viewMatrix,const SkMatrix & srcToDstRect,const GrSamplerState & params,const SkRect * srcRectPtr,int maxTileSize,int * tileSize,SkIRect * clippedSubset) const708 bool SkGpuDevice::shouldTileImageID(uint32_t imageID,
709                                     const SkIRect& imageRect,
710                                     const SkMatrix& viewMatrix,
711                                     const SkMatrix& srcToDstRect,
712                                     const GrSamplerState& params,
713                                     const SkRect* srcRectPtr,
714                                     int maxTileSize,
715                                     int* tileSize,
716                                     SkIRect* clippedSubset) const {
717     ASSERT_SINGLE_OWNER
718     // if it's larger than the max tile size, then we have no choice but tiling.
719     if (imageRect.width() > maxTileSize || imageRect.height() > maxTileSize) {
720         determine_clipped_src_rect(fRenderTargetContext->width(), fRenderTargetContext->height(),
721                                    this->clip(), viewMatrix, srcToDstRect, imageRect.size(),
722                                    srcRectPtr, clippedSubset);
723         *tileSize = determine_tile_size(*clippedSubset, maxTileSize);
724         return true;
725     }
726 
727     // If the image would only produce 4 tiles of the smaller size, don't bother tiling it.
728     const size_t area = imageRect.width() * imageRect.height();
729     if (area < 4 * kBmpSmallTileSize * kBmpSmallTileSize) {
730         return false;
731     }
732 
733     // At this point we know we could do the draw by uploading the entire bitmap
734     // as a texture. However, if the texture would be large compared to the
735     // cache size and we don't require most of it for this draw then tile to
736     // reduce the amount of upload and cache spill.
737 
738     // assumption here is that sw bitmap size is a good proxy for its size as
739     // a texture
740     size_t bmpSize = area * sizeof(SkPMColor);  // assume 32bit pixels
741     size_t cacheSize;
742     fContext->getResourceCacheLimits(nullptr, &cacheSize);
743     if (bmpSize < cacheSize / 2) {
744         return false;
745     }
746 
747     // Figure out how much of the src we will need based on the src rect and clipping. Reject if
748     // tiling memory savings would be < 50%.
749     determine_clipped_src_rect(fRenderTargetContext->width(), fRenderTargetContext->height(),
750                                this->clip(), viewMatrix, srcToDstRect, imageRect.size(), srcRectPtr,
751                                clippedSubset);
752     *tileSize = kBmpSmallTileSize; // already know whole bitmap fits in one max sized tile.
753     size_t usedTileBytes = get_tile_count(*clippedSubset, kBmpSmallTileSize) *
754                            kBmpSmallTileSize * kBmpSmallTileSize *
755                            sizeof(SkPMColor);  // assume 32bit pixels;
756 
757     return usedTileBytes * 2 < bmpSize;
758 }
759 
shouldTileImage(const SkImage * image,const SkRect * srcRectPtr,SkCanvas::SrcRectConstraint constraint,SkFilterQuality quality,const SkMatrix & viewMatrix,const SkMatrix & srcToDstRect) const760 bool SkGpuDevice::shouldTileImage(const SkImage* image, const SkRect* srcRectPtr,
761                                   SkCanvas::SrcRectConstraint constraint, SkFilterQuality quality,
762                                   const SkMatrix& viewMatrix,
763                                   const SkMatrix& srcToDstRect) const {
764     ASSERT_SINGLE_OWNER
765     // If image is explicitly texture backed then we shouldn't get here.
766     SkASSERT(!image->isTextureBacked());
767 
768     GrSamplerState samplerState;
769     bool doBicubic;
770     GrSamplerState::Filter textureFilterMode = GrSkFilterQualityToGrFilterMode(
771             image->width(), image->height(), quality, viewMatrix, srcToDstRect,
772             fContext->priv().options().fSharpenMipmappedTextures, &doBicubic);
773 
774     int tileFilterPad;
775     if (doBicubic) {
776         tileFilterPad = GrBicubicEffect::kFilterTexelPad;
777     } else if (GrSamplerState::Filter::kNearest == textureFilterMode) {
778         tileFilterPad = 0;
779     } else {
780         tileFilterPad = 1;
781     }
782     samplerState.setFilterMode(textureFilterMode);
783 
784     int maxTileSize = this->caps()->maxTileSize() - 2 * tileFilterPad;
785 
786     // these are output, which we safely ignore, as we just want to know the predicate
787     int outTileSize;
788     SkIRect outClippedSrcRect;
789 
790     return this->shouldTileImageID(image->unique(), image->bounds(), viewMatrix, srcToDstRect,
791                                    samplerState, srcRectPtr, maxTileSize, &outTileSize,
792                                    &outClippedSrcRect);
793 }
794 
795 // This method outsets 'iRect' by 'outset' all around and then clamps its extents to
796 // 'clamp'. 'offset' is adjusted to remain positioned over the top-left corner
797 // of 'iRect' for all possible outsets/clamps.
clamped_outset_with_offset(SkIRect * iRect,int outset,SkPoint * offset,const SkIRect & clamp)798 static inline void clamped_outset_with_offset(SkIRect* iRect,
799                                               int outset,
800                                               SkPoint* offset,
801                                               const SkIRect& clamp) {
802     iRect->outset(outset, outset);
803 
804     int leftClampDelta = clamp.fLeft - iRect->fLeft;
805     if (leftClampDelta > 0) {
806         offset->fX -= outset - leftClampDelta;
807         iRect->fLeft = clamp.fLeft;
808     } else {
809         offset->fX -= outset;
810     }
811 
812     int topClampDelta = clamp.fTop - iRect->fTop;
813     if (topClampDelta > 0) {
814         offset->fY -= outset - topClampDelta;
815         iRect->fTop = clamp.fTop;
816     } else {
817         offset->fY -= outset;
818     }
819 
820     if (iRect->fRight > clamp.fRight) {
821         iRect->fRight = clamp.fRight;
822     }
823     if (iRect->fBottom > clamp.fBottom) {
824         iRect->fBottom = clamp.fBottom;
825     }
826 }
827 
828 // Break 'bitmap' into several tiles to draw it since it has already
829 // been determined to be too large to fit in VRAM
drawTiledBitmap(const SkBitmap & bitmap,const SkMatrix & viewMatrix,const SkMatrix & dstMatrix,const SkRect & srcRect,const SkIRect & clippedSrcIRect,const GrSamplerState & params,const SkPaint & origPaint,SkCanvas::SrcRectConstraint constraint,int tileSize,bool bicubic)830 void SkGpuDevice::drawTiledBitmap(const SkBitmap& bitmap,
831                                   const SkMatrix& viewMatrix,
832                                   const SkMatrix& dstMatrix,
833                                   const SkRect& srcRect,
834                                   const SkIRect& clippedSrcIRect,
835                                   const GrSamplerState& params,
836                                   const SkPaint& origPaint,
837                                   SkCanvas::SrcRectConstraint constraint,
838                                   int tileSize,
839                                   bool bicubic) {
840     ASSERT_SINGLE_OWNER
841 
842     // This is the funnel for all paths that draw tiled bitmaps/images. Log histogram entries.
843     SK_HISTOGRAM_BOOLEAN("DrawTiled", true);
844     LogDrawScaleFactor(viewMatrix, SkMatrix::I(), origPaint.getFilterQuality());
845 
846     const SkPaint* paint = &origPaint;
847     SkPaint tempPaint;
848     if (origPaint.isAntiAlias() && fRenderTargetContext->numSamples() <= 1) {
849         // Drop antialiasing to avoid seams at tile boundaries.
850         tempPaint = origPaint;
851         tempPaint.setAntiAlias(false);
852         paint = &tempPaint;
853     }
854     SkRect clippedSrcRect = SkRect::Make(clippedSrcIRect);
855 
856     int nx = bitmap.width() / tileSize;
857     int ny = bitmap.height() / tileSize;
858     for (int x = 0; x <= nx; x++) {
859         for (int y = 0; y <= ny; y++) {
860             SkRect tileR;
861             tileR.set(SkIntToScalar(x * tileSize),
862                       SkIntToScalar(y * tileSize),
863                       SkIntToScalar((x + 1) * tileSize),
864                       SkIntToScalar((y + 1) * tileSize));
865 
866             if (!SkRect::Intersects(tileR, clippedSrcRect)) {
867                 continue;
868             }
869 
870             if (!tileR.intersect(srcRect)) {
871                 continue;
872             }
873 
874             SkIRect iTileR;
875             tileR.roundOut(&iTileR);
876             SkVector offset = SkPoint::Make(SkIntToScalar(iTileR.fLeft),
877                                             SkIntToScalar(iTileR.fTop));
878             SkRect rectToDraw = tileR;
879             dstMatrix.mapRect(&rectToDraw);
880             if (GrSamplerState::Filter::kNearest != params.filter() || bicubic) {
881                 SkIRect iClampRect;
882 
883                 if (SkCanvas::kFast_SrcRectConstraint == constraint) {
884                     // In bleed mode we want to always expand the tile on all edges
885                     // but stay within the bitmap bounds
886                     iClampRect = SkIRect::MakeWH(bitmap.width(), bitmap.height());
887                 } else {
888                     // In texture-domain/clamp mode we only want to expand the
889                     // tile on edges interior to "srcRect" (i.e., we want to
890                     // not bleed across the original clamped edges)
891                     srcRect.roundOut(&iClampRect);
892                 }
893                 int outset = bicubic ? GrBicubicEffect::kFilterTexelPad : 1;
894                 clamped_outset_with_offset(&iTileR, outset, &offset, iClampRect);
895             }
896 
897             SkBitmap tmpB;
898             if (bitmap.extractSubset(&tmpB, iTileR)) {
899                 // now offset it to make it "local" to our tmp bitmap
900                 tileR.offset(-offset.fX, -offset.fY);
901                 // de-optimized this determination
902                 bool needsTextureDomain = true;
903                 this->drawBitmapTile(tmpB,
904                                      viewMatrix,
905                                      rectToDraw,
906                                      tileR,
907                                      params,
908                                      *paint,
909                                      constraint,
910                                      bicubic,
911                                      needsTextureDomain);
912             }
913         }
914     }
915 }
916 
drawBitmapTile(const SkBitmap & bitmap,const SkMatrix & viewMatrix,const SkRect & dstRect,const SkRect & srcRect,const GrSamplerState & samplerState,const SkPaint & paint,SkCanvas::SrcRectConstraint constraint,bool bicubic,bool needsTextureDomain)917 void SkGpuDevice::drawBitmapTile(const SkBitmap& bitmap,
918                                  const SkMatrix& viewMatrix,
919                                  const SkRect& dstRect,
920                                  const SkRect& srcRect,
921                                  const GrSamplerState& samplerState,
922                                  const SkPaint& paint,
923                                  SkCanvas::SrcRectConstraint constraint,
924                                  bool bicubic,
925                                  bool needsTextureDomain) {
926     // We should have already handled bitmaps larger than the max texture size.
927     SkASSERT(bitmap.width() <= this->caps()->maxTextureSize() &&
928              bitmap.height() <= this->caps()->maxTextureSize());
929     // We should be respecting the max tile size by the time we get here.
930     SkASSERT(bitmap.width() <= this->caps()->maxTileSize() &&
931              bitmap.height() <= this->caps()->maxTileSize());
932     SkASSERT(!samplerState.isRepeated());
933 
934     SkScalar scales[2] = {1.f, 1.f};
935     sk_sp<GrTextureProxy> proxy =
936             GrRefCachedBitmapTextureProxy(fContext.get(), bitmap, samplerState, scales);
937     if (!proxy) {
938         return;
939     }
940 
941     // Compute a matrix that maps the rect we will draw to the src rect.
942     SkMatrix texMatrix = SkMatrix::MakeRectToRect(dstRect, srcRect, SkMatrix::kFill_ScaleToFit);
943     texMatrix.postScale(scales[0], scales[1]);
944 
945     // Construct a GrPaint by setting the bitmap texture as the first effect and then configuring
946     // the rest from the SkPaint.
947     std::unique_ptr<GrFragmentProcessor> fp;
948 
949     if (needsTextureDomain && (SkCanvas::kStrict_SrcRectConstraint == constraint)) {
950         // Use a constrained texture domain to avoid color bleeding
951         SkRect domain;
952         if (srcRect.width() > SK_Scalar1) {
953             domain.fLeft  = srcRect.fLeft + 0.5f;
954             domain.fRight = srcRect.fRight - 0.5f;
955         } else {
956             domain.fLeft = domain.fRight = srcRect.centerX();
957         }
958         if (srcRect.height() > SK_Scalar1) {
959             domain.fTop  = srcRect.fTop + 0.5f;
960             domain.fBottom = srcRect.fBottom - 0.5f;
961         } else {
962             domain.fTop = domain.fBottom = srcRect.centerY();
963         }
964         if (bicubic) {
965             static constexpr auto kDir = GrBicubicEffect::Direction::kXY;
966             fp = GrBicubicEffect::Make(std::move(proxy), texMatrix, domain, kDir,
967                                        bitmap.alphaType());
968         } else {
969             fp = GrTextureDomainEffect::Make(std::move(proxy), texMatrix, domain,
970                                              GrTextureDomain::kClamp_Mode, samplerState.filter());
971         }
972     } else if (bicubic) {
973         SkASSERT(GrSamplerState::Filter::kNearest == samplerState.filter());
974         GrSamplerState::WrapMode wrapMode[2] = {samplerState.wrapModeX(), samplerState.wrapModeY()};
975         static constexpr auto kDir = GrBicubicEffect::Direction::kXY;
976         fp = GrBicubicEffect::Make(std::move(proxy), texMatrix, wrapMode, kDir, bitmap.alphaType());
977     } else {
978         fp = GrSimpleTextureEffect::Make(std::move(proxy), texMatrix, samplerState);
979     }
980 
981     fp = GrColorSpaceXformEffect::Make(std::move(fp), bitmap.colorSpace(), bitmap.alphaType(),
982                                        fRenderTargetContext->colorSpaceInfo().colorSpace());
983     GrPaint grPaint;
984     if (!SkPaintToGrPaintWithTexture(this->context(), fRenderTargetContext->colorSpaceInfo(), paint,
985                                      viewMatrix, std::move(fp),
986                                      kAlpha_8_SkColorType == bitmap.colorType(), &grPaint)) {
987         return;
988     }
989 
990     // Coverage-based AA would cause seams between tiles.
991     GrAA aa = GrAA(paint.isAntiAlias() && fRenderTargetContext->numSamples() > 1);
992     fRenderTargetContext->drawRect(this->clip(), std::move(grPaint), aa, viewMatrix, dstRect);
993 }
994 
drawSprite(const SkBitmap & bitmap,int left,int top,const SkPaint & paint)995 void SkGpuDevice::drawSprite(const SkBitmap& bitmap,
996                              int left, int top, const SkPaint& paint) {
997     ASSERT_SINGLE_OWNER
998     GR_CREATE_TRACE_MARKER_CONTEXT("SkGpuDevice", "drawSprite", fContext.get());
999 
1000     if (fContext->priv().abandoned()) {
1001         return;
1002     }
1003 
1004     sk_sp<SkSpecialImage> srcImg = this->makeSpecial(bitmap);
1005     if (!srcImg) {
1006         return;
1007     }
1008 
1009     this->drawSpecial(srcImg.get(), left, top, paint, nullptr, SkMatrix::I());
1010 }
1011 
1012 
drawSpecial(SkSpecialImage * special,int left,int top,const SkPaint & paint,SkImage * clipImage,const SkMatrix & clipMatrix)1013 void SkGpuDevice::drawSpecial(SkSpecialImage* special, int left, int top, const SkPaint& paint,
1014                               SkImage* clipImage, const SkMatrix& clipMatrix) {
1015     ASSERT_SINGLE_OWNER
1016     GR_CREATE_TRACE_MARKER_CONTEXT("SkGpuDevice", "drawSpecial", fContext.get());
1017 
1018     sk_sp<SkSpecialImage> result;
1019     if (paint.getImageFilter()) {
1020         SkIPoint offset = { 0, 0 };
1021 
1022         result = this->filterTexture(special, left, top, &offset, paint.getImageFilter());
1023         if (!result) {
1024             return;
1025         }
1026 
1027         left += offset.fX;
1028         top += offset.fY;
1029     } else {
1030         result = sk_ref_sp(special);
1031     }
1032 
1033     SkASSERT(result->isTextureBacked());
1034     sk_sp<GrTextureProxy> proxy = result->asTextureProxyRef(this->context());
1035     if (!proxy) {
1036         return;
1037     }
1038 
1039     const GrPixelConfig config = proxy->config();
1040 
1041     SkMatrix ctm = this->ctm();
1042     ctm.postTranslate(-SkIntToScalar(left), -SkIntToScalar(top));
1043 
1044     SkPaint tmpUnfiltered(paint);
1045     if (tmpUnfiltered.getMaskFilter()) {
1046         tmpUnfiltered.setMaskFilter(tmpUnfiltered.getMaskFilter()->makeWithMatrix(ctm));
1047     }
1048 
1049     tmpUnfiltered.setImageFilter(nullptr);
1050 
1051     auto fp = GrSimpleTextureEffect::Make(std::move(proxy), SkMatrix::I());
1052     fp = GrColorSpaceXformEffect::Make(std::move(fp), result->getColorSpace(), result->alphaType(),
1053                                        fRenderTargetContext->colorSpaceInfo().colorSpace());
1054     if (GrPixelConfigIsAlphaOnly(config)) {
1055         fp = GrFragmentProcessor::MakeInputPremulAndMulByOutput(std::move(fp));
1056     } else {
1057         if (paint.getColor4f().isOpaque()) {
1058             fp = GrFragmentProcessor::OverrideInput(std::move(fp), SK_PMColor4fWHITE, false);
1059         } else {
1060             fp = GrFragmentProcessor::MulChildByInputAlpha(std::move(fp));
1061         }
1062     }
1063 
1064     GrPaint grPaint;
1065     if (!SkPaintToGrPaintReplaceShader(this->context(), fRenderTargetContext->colorSpaceInfo(),
1066                                        tmpUnfiltered, std::move(fp), &grPaint)) {
1067         return;
1068     }
1069 
1070     const SkIRect& subset = result->subset();
1071     SkRect dstRect = SkRect::Make(SkIRect::MakeXYWH(left, top, subset.width(), subset.height()));
1072     SkRect srcRect = SkRect::Make(subset);
1073     if (clipImage) {
1074         // Add the image as a simple texture effect applied to coverage. Accessing content outside
1075         // of the clip image should behave as if it were a decal (i.e. zero coverage). However, to
1076         // limit pixels touched and hardware checks, we draw the clip image geometry to get the
1077         // decal effect.
1078         GrSamplerState sampler = paint.getFilterQuality() > kNone_SkFilterQuality ?
1079                 GrSamplerState::ClampBilerp() : GrSamplerState::ClampNearest();
1080         sk_sp<GrTextureProxy> clipProxy = as_IB(clipImage)->asTextureProxyRef(this->context(),
1081                                                                               sampler, nullptr);
1082         // Fold clip matrix into ctm
1083         ctm.preConcat(clipMatrix);
1084         SkMatrix inverseClipMatrix;
1085 
1086         std::unique_ptr<GrFragmentProcessor> cfp;
1087         if (clipProxy && ctm.invert(&inverseClipMatrix)) {
1088             cfp = GrSimpleTextureEffect::Make(std::move(clipProxy), inverseClipMatrix, sampler);
1089             if (clipImage->colorType() != kAlpha_8_SkColorType) {
1090                 cfp = GrFragmentProcessor::SwizzleOutput(std::move(cfp), GrSwizzle::AAAA());
1091             }
1092         }
1093 
1094         if (cfp) {
1095             // If the grPaint already has coverage, this adds an additional stage that multiples
1096             // the image's alpha channel with the prior coverage.
1097             grPaint.addCoverageFragmentProcessor(std::move(cfp));
1098 
1099             // Undo the offset that was needed for shader coord transforms to get the transform for
1100             // the actual drawn geometry.
1101             ctm.postTranslate(SkIntToScalar(left), SkIntToScalar(top));
1102             inverseClipMatrix.preTranslate(-SkIntToScalar(left), -SkIntToScalar(top));
1103             SkRect clipGeometry = SkRect::MakeWH(clipImage->width(), clipImage->height());
1104             if (!clipGeometry.contains(inverseClipMatrix.mapRect(dstRect))) {
1105                 // Draw the clip geometry since it is smaller, using dstRect as an extra scissor
1106                 SkClipStack clip(this->cs());
1107                 clip.clipDevRect(SkIRect::MakeXYWH(left, top, subset.width(), subset.height()),
1108                                  SkClipOp::kIntersect);
1109                 SkMatrix local = SkMatrix::Concat(SkMatrix::MakeRectToRect(
1110                         dstRect, srcRect, SkMatrix::kFill_ScaleToFit), ctm);
1111                 fRenderTargetContext->fillRectWithLocalMatrix(GrClipStackClip(&clip),
1112                         std::move(grPaint), GrAA(paint.isAntiAlias()), ctm, clipGeometry, local);
1113                 return;
1114             }
1115             // Else fall through and draw the subset since that is contained in the clip geometry
1116         }
1117         // Else some issue configuring the coverage FP, so just draw without the clip mask image
1118     }
1119     // Draw directly in screen space, possibly with an extra coverage processor
1120     fRenderTargetContext->fillRectToRect(this->clip(), std::move(grPaint),
1121             GrAA(paint.isAntiAlias()), SkMatrix::I(), dstRect, srcRect);
1122 }
1123 
drawBitmapRect(const SkBitmap & bitmap,const SkRect * src,const SkRect & origDst,const SkPaint & paint,SkCanvas::SrcRectConstraint constraint)1124 void SkGpuDevice::drawBitmapRect(const SkBitmap& bitmap,
1125                                  const SkRect* src, const SkRect& origDst,
1126                                  const SkPaint& paint, SkCanvas::SrcRectConstraint constraint) {
1127     ASSERT_SINGLE_OWNER
1128     // The src rect is inferred to be the bmp bounds if not provided. Otherwise, the src rect must
1129     // be clipped to the bmp bounds. To determine tiling parameters we need the filter mode which
1130     // in turn requires knowing the src-to-dst mapping. If the src was clipped to the bmp bounds
1131     // then we use the src-to-dst mapping to compute a new clipped dst rect.
1132     const SkRect* dst = &origDst;
1133     const SkRect bmpBounds = SkRect::MakeIWH(bitmap.width(), bitmap.height());
1134     // Compute matrix from the two rectangles
1135     if (!src) {
1136         src = &bmpBounds;
1137     }
1138 
1139     SkMatrix srcToDstMatrix;
1140     if (!srcToDstMatrix.setRectToRect(*src, *dst, SkMatrix::kFill_ScaleToFit)) {
1141         return;
1142     }
1143     SkRect tmpSrc, tmpDst;
1144     if (src != &bmpBounds) {
1145         if (!bmpBounds.contains(*src)) {
1146             tmpSrc = *src;
1147             if (!tmpSrc.intersect(bmpBounds)) {
1148                 return; // nothing to draw
1149             }
1150             src = &tmpSrc;
1151             srcToDstMatrix.mapRect(&tmpDst, *src);
1152             dst = &tmpDst;
1153         }
1154     }
1155 
1156     int maxTileSize = this->caps()->maxTileSize();
1157 
1158     // The tile code path doesn't currently support AA, so if the paint asked for aa and we could
1159     // draw untiled, then we bypass checking for tiling purely for optimization reasons.
1160     bool useCoverageAA = fRenderTargetContext->numSamples() <= 1 &&
1161                          paint.isAntiAlias() && bitmap.width() <= maxTileSize &&
1162                          bitmap.height() <= maxTileSize;
1163 
1164     bool skipTileCheck = useCoverageAA || paint.getMaskFilter();
1165 
1166     if (!skipTileCheck) {
1167         int tileSize;
1168         SkIRect clippedSrcRect;
1169 
1170         GrSamplerState sampleState;
1171         bool doBicubic;
1172         GrSamplerState::Filter textureFilterMode = GrSkFilterQualityToGrFilterMode(
1173                 bitmap.width(), bitmap.height(), paint.getFilterQuality(), this->ctm(),
1174                 srcToDstMatrix, fContext->priv().options().fSharpenMipmappedTextures, &doBicubic);
1175 
1176         int tileFilterPad;
1177 
1178         if (doBicubic) {
1179             tileFilterPad = GrBicubicEffect::kFilterTexelPad;
1180         } else if (GrSamplerState::Filter::kNearest == textureFilterMode) {
1181             tileFilterPad = 0;
1182         } else {
1183             tileFilterPad = 1;
1184         }
1185         sampleState.setFilterMode(textureFilterMode);
1186 
1187         int maxTileSizeForFilter = this->caps()->maxTileSize() - 2 * tileFilterPad;
1188         if (this->shouldTileImageID(bitmap.getGenerationID(), bitmap.getSubset(), this->ctm(),
1189                                     srcToDstMatrix, sampleState, src, maxTileSizeForFilter,
1190                                     &tileSize, &clippedSrcRect)) {
1191             this->drawTiledBitmap(bitmap, this->ctm(), srcToDstMatrix, *src, clippedSrcRect,
1192                                   sampleState, paint, constraint, tileSize, doBicubic);
1193             return;
1194         }
1195     }
1196     GrBitmapTextureMaker maker(fContext.get(), bitmap);
1197     this->drawTextureProducer(&maker, src, dst, constraint, this->ctm(), paint, true);
1198 }
1199 
makeSpecial(const SkBitmap & bitmap)1200 sk_sp<SkSpecialImage> SkGpuDevice::makeSpecial(const SkBitmap& bitmap) {
1201     // TODO: this makes a tight copy of 'bitmap' but it doesn't have to be (given SkSpecialImage's
1202     // semantics). Since this is cached we would have to bake the fit into the cache key though.
1203     sk_sp<GrTextureProxy> proxy = GrMakeCachedBitmapProxy(fContext->priv().proxyProvider(),
1204                                                           bitmap);
1205     if (!proxy) {
1206         return nullptr;
1207     }
1208 
1209     const SkIRect rect = SkIRect::MakeWH(proxy->width(), proxy->height());
1210 
1211     // GrMakeCachedBitmapProxy creates a tight copy of 'bitmap' so we don't have to subset
1212     // the special image
1213     return SkSpecialImage::MakeDeferredFromGpu(fContext.get(),
1214                                                rect,
1215                                                bitmap.getGenerationID(),
1216                                                std::move(proxy),
1217                                                bitmap.refColorSpace(),
1218                                                &this->surfaceProps());
1219 }
1220 
makeSpecial(const SkImage * image)1221 sk_sp<SkSpecialImage> SkGpuDevice::makeSpecial(const SkImage* image) {
1222     SkPixmap pm;
1223     if (image->isTextureBacked()) {
1224         sk_sp<GrTextureProxy> proxy = as_IB(image)->asTextureProxyRef(this->context());
1225 
1226         return SkSpecialImage::MakeDeferredFromGpu(fContext.get(),
1227                                                    SkIRect::MakeWH(image->width(), image->height()),
1228                                                    image->uniqueID(),
1229                                                    std::move(proxy),
1230                                                    image->refColorSpace(),
1231                                                    &this->surfaceProps());
1232     } else if (image->peekPixels(&pm)) {
1233         SkBitmap bm;
1234 
1235         bm.installPixels(pm);
1236         return this->makeSpecial(bm);
1237     } else {
1238         return nullptr;
1239     }
1240 }
1241 
snapSpecial()1242 sk_sp<SkSpecialImage> SkGpuDevice::snapSpecial() {
1243     // If we are wrapping a vulkan secondary command buffer, then we can't snap off a special image
1244     // since it would require us to make a copy of the underlying VkImage which we don't have access
1245     // to. Additionaly we can't stop and start the render pass that is used with the secondary
1246     // command buffer.
1247     if (this->accessRenderTargetContext()->wrapsVkSecondaryCB()) {
1248         return nullptr;
1249     }
1250 
1251     sk_sp<GrTextureProxy> proxy(this->accessRenderTargetContext()->asTextureProxyRef());
1252     if (!proxy) {
1253         // When the device doesn't have a texture, we create a temporary texture.
1254         // TODO: we should actually only copy the portion of the source needed to apply the image
1255         // filter
1256         proxy = GrSurfaceProxy::Copy(fContext.get(),
1257                                      this->accessRenderTargetContext()->asSurfaceProxy(),
1258                                      GrMipMapped::kNo,
1259                                      SkBackingFit::kApprox,
1260                                      SkBudgeted::kYes);
1261         if (!proxy) {
1262             return nullptr;
1263         }
1264     }
1265 
1266     const SkImageInfo ii = this->imageInfo();
1267     const SkIRect srcRect = SkIRect::MakeWH(ii.width(), ii.height());
1268 
1269     return SkSpecialImage::MakeDeferredFromGpu(fContext.get(),
1270                                                srcRect,
1271                                                kNeedNewImageUniqueID_SpecialImage,
1272                                                std::move(proxy),
1273                                                ii.refColorSpace(),
1274                                                &this->surfaceProps());
1275 }
1276 
snapBackImage(const SkIRect & subset)1277 sk_sp<SkSpecialImage> SkGpuDevice::snapBackImage(const SkIRect& subset) {
1278     GrRenderTargetContext* rtc = this->accessRenderTargetContext();
1279 
1280     // If we are wrapping a vulkan secondary command buffer, then we can't snap off a special image
1281     // since it would require us to make a copy of the underlying VkImage which we don't have access
1282     // to. Additionaly we can't stop and start the render pass that is used with the secondary
1283     // command buffer.
1284     if (rtc->wrapsVkSecondaryCB()) {
1285         return nullptr;
1286     }
1287 
1288 
1289     GrContext* ctx = this->context();
1290     SkASSERT(rtc->asSurfaceProxy());
1291 
1292     auto srcProxy =
1293             GrSurfaceProxy::Copy(ctx, rtc->asSurfaceProxy(), rtc->mipMapped(), subset,
1294                                  SkBackingFit::kApprox, rtc->asSurfaceProxy()->isBudgeted());
1295     if (!srcProxy) {
1296         return nullptr;
1297     }
1298 
1299     // Note, can't move srcProxy since we also refer to this in the 2nd parameter
1300     return SkSpecialImage::MakeDeferredFromGpu(fContext.get(),
1301                                                SkIRect::MakeSize(srcProxy->isize()),
1302                                                kNeedNewImageUniqueID_SpecialImage,
1303                                                srcProxy,
1304                                                this->imageInfo().refColorSpace(),
1305                                                &this->surfaceProps());
1306 }
1307 
drawDevice(SkBaseDevice * device,int left,int top,const SkPaint & paint)1308 void SkGpuDevice::drawDevice(SkBaseDevice* device,
1309                              int left, int top, const SkPaint& paint) {
1310     SkASSERT(!paint.getImageFilter());
1311 
1312     ASSERT_SINGLE_OWNER
1313     // clear of the source device must occur before CHECK_SHOULD_DRAW
1314     GR_CREATE_TRACE_MARKER_CONTEXT("SkGpuDevice", "drawDevice", fContext.get());
1315 
1316     // drawDevice is defined to be in device coords.
1317     SkGpuDevice* dev = static_cast<SkGpuDevice*>(device);
1318     sk_sp<SkSpecialImage> srcImg(dev->snapSpecial());
1319     if (!srcImg) {
1320         return;
1321     }
1322 
1323     this->drawSpecial(srcImg.get(), left, top, paint, nullptr, SkMatrix::I());
1324 }
1325 
drawImageRect(const SkImage * image,const SkRect * src,const SkRect & dst,const SkPaint & paint,SkCanvas::SrcRectConstraint constraint)1326 void SkGpuDevice::drawImageRect(const SkImage* image, const SkRect* src, const SkRect& dst,
1327                                 const SkPaint& paint, SkCanvas::SrcRectConstraint constraint) {
1328     ASSERT_SINGLE_OWNER
1329     GrQuadAAFlags aaFlags = paint.isAntiAlias() ? GrQuadAAFlags::kAll : GrQuadAAFlags::kNone;
1330     this->drawImageQuad(image, src, &dst, nullptr, GrAA(paint.isAntiAlias()), aaFlags, nullptr,
1331                         paint, constraint);
1332 }
1333 
1334 // When drawing nine-patches or n-patches, cap the filter quality at kBilerp.
compute_lattice_filter_mode(const SkPaint & paint)1335 static GrSamplerState::Filter compute_lattice_filter_mode(const SkPaint& paint) {
1336     if (paint.getFilterQuality() == kNone_SkFilterQuality) {
1337         return GrSamplerState::Filter::kNearest;
1338     }
1339 
1340     return GrSamplerState::Filter::kBilerp;
1341 }
1342 
drawImageNine(const SkImage * image,const SkIRect & center,const SkRect & dst,const SkPaint & paint)1343 void SkGpuDevice::drawImageNine(const SkImage* image,
1344                                 const SkIRect& center, const SkRect& dst, const SkPaint& paint) {
1345     ASSERT_SINGLE_OWNER
1346     uint32_t pinnedUniqueID;
1347     auto iter = skstd::make_unique<SkLatticeIter>(image->width(), image->height(), center, dst);
1348     if (sk_sp<GrTextureProxy> proxy = as_IB(image)->refPinnedTextureProxy(this->context(),
1349                                                                           &pinnedUniqueID)) {
1350         GrTextureAdjuster adjuster(this->context(), std::move(proxy),
1351                                    SkColorTypeToGrColorType(image->colorType()), image->alphaType(),
1352                                    pinnedUniqueID, image->colorSpace());
1353         this->drawProducerLattice(&adjuster, std::move(iter), dst, paint);
1354     } else {
1355         SkBitmap bm;
1356         if (image->isLazyGenerated()) {
1357             GrImageTextureMaker maker(fContext.get(), image, SkImage::kAllow_CachingHint);
1358             this->drawProducerLattice(&maker, std::move(iter), dst, paint);
1359         } else if (as_IB(image)->getROPixels(&bm)) {
1360             GrBitmapTextureMaker maker(fContext.get(), bm);
1361             this->drawProducerLattice(&maker, std::move(iter), dst, paint);
1362         }
1363     }
1364 }
1365 
drawBitmapNine(const SkBitmap & bitmap,const SkIRect & center,const SkRect & dst,const SkPaint & paint)1366 void SkGpuDevice::drawBitmapNine(const SkBitmap& bitmap, const SkIRect& center,
1367                                  const SkRect& dst, const SkPaint& paint) {
1368     ASSERT_SINGLE_OWNER
1369     auto iter = skstd::make_unique<SkLatticeIter>(bitmap.width(), bitmap.height(), center, dst);
1370     GrBitmapTextureMaker maker(fContext.get(), bitmap);
1371     this->drawProducerLattice(&maker, std::move(iter), dst, paint);
1372 }
1373 
drawProducerLattice(GrTextureProducer * producer,std::unique_ptr<SkLatticeIter> iter,const SkRect & dst,const SkPaint & origPaint)1374 void SkGpuDevice::drawProducerLattice(GrTextureProducer* producer,
1375                                       std::unique_ptr<SkLatticeIter> iter, const SkRect& dst,
1376                                       const SkPaint& origPaint) {
1377     GR_CREATE_TRACE_MARKER_CONTEXT("SkGpuDevice", "drawProducerLattice", fContext.get());
1378     SkTCopyOnFirstWrite<SkPaint> paint(&origPaint);
1379 
1380     if (!producer->isAlphaOnly() && (paint->getColor() & 0x00FFFFFF) != 0x00FFFFFF) {
1381         paint.writable()->setColor(SkColorSetARGB(origPaint.getAlpha(), 0xFF, 0xFF, 0xFF));
1382     }
1383     GrPaint grPaint;
1384     if (!SkPaintToGrPaintWithPrimitiveColor(this->context(), fRenderTargetContext->colorSpaceInfo(),
1385                                             *paint, &grPaint)) {
1386         return;
1387     }
1388 
1389     auto dstColorSpace = fRenderTargetContext->colorSpaceInfo().colorSpace();
1390     const GrSamplerState::Filter filter = compute_lattice_filter_mode(*paint);
1391     auto proxy = producer->refTextureProxyForParams(&filter, nullptr);
1392     if (!proxy) {
1393         return;
1394     }
1395     auto csxf = GrColorSpaceXform::Make(producer->colorSpace(), producer->alphaType(),
1396                                         dstColorSpace,          kPremul_SkAlphaType);
1397 
1398     fRenderTargetContext->drawImageLattice(this->clip(), std::move(grPaint), this->ctm(),
1399                                            std::move(proxy), std::move(csxf), filter,
1400                                            std::move(iter), dst);
1401 }
1402 
drawImageLattice(const SkImage * image,const SkCanvas::Lattice & lattice,const SkRect & dst,const SkPaint & paint)1403 void SkGpuDevice::drawImageLattice(const SkImage* image,
1404                                    const SkCanvas::Lattice& lattice, const SkRect& dst,
1405                                    const SkPaint& paint) {
1406     ASSERT_SINGLE_OWNER
1407     uint32_t pinnedUniqueID;
1408     auto iter = skstd::make_unique<SkLatticeIter>(lattice, dst);
1409     if (sk_sp<GrTextureProxy> proxy = as_IB(image)->refPinnedTextureProxy(this->context(),
1410                                                                           &pinnedUniqueID)) {
1411         GrTextureAdjuster adjuster(this->context(), std::move(proxy),
1412                                    SkColorTypeToGrColorType(image->colorType()), image->alphaType(),
1413                                    pinnedUniqueID, image->colorSpace());
1414         this->drawProducerLattice(&adjuster, std::move(iter), dst, paint);
1415     } else {
1416         SkBitmap bm;
1417         if (image->isLazyGenerated()) {
1418             GrImageTextureMaker maker(fContext.get(), image, SkImage::kAllow_CachingHint);
1419             this->drawProducerLattice(&maker, std::move(iter), dst, paint);
1420         } else if (as_IB(image)->getROPixels(&bm)) {
1421             GrBitmapTextureMaker maker(fContext.get(), bm);
1422             this->drawProducerLattice(&maker, std::move(iter), dst, paint);
1423         }
1424     }
1425 }
1426 
drawBitmapLattice(const SkBitmap & bitmap,const SkCanvas::Lattice & lattice,const SkRect & dst,const SkPaint & paint)1427 void SkGpuDevice::drawBitmapLattice(const SkBitmap& bitmap,
1428                                     const SkCanvas::Lattice& lattice, const SkRect& dst,
1429                                     const SkPaint& paint) {
1430     ASSERT_SINGLE_OWNER
1431     auto iter = skstd::make_unique<SkLatticeIter>(lattice, dst);
1432     GrBitmapTextureMaker maker(fContext.get(), bitmap);
1433     this->drawProducerLattice(&maker, std::move(iter), dst, paint);
1434 }
1435 
init_vertices_paint(GrContext * context,const GrColorSpaceInfo & colorSpaceInfo,const SkPaint & skPaint,const SkMatrix & matrix,SkBlendMode bmode,bool hasTexs,bool hasColors,GrPaint * grPaint)1436 static bool init_vertices_paint(GrContext* context, const GrColorSpaceInfo& colorSpaceInfo,
1437                                 const SkPaint& skPaint, const SkMatrix& matrix, SkBlendMode bmode,
1438                                 bool hasTexs, bool hasColors, GrPaint* grPaint) {
1439     if (hasTexs && skPaint.getShader()) {
1440         if (hasColors) {
1441             // When there are texs and colors the shader and colors are combined using bmode.
1442             return SkPaintToGrPaintWithXfermode(context, colorSpaceInfo, skPaint, matrix, bmode,
1443                                                 grPaint);
1444         } else {
1445             // We have a shader, but no colors to blend it against.
1446             return SkPaintToGrPaint(context, colorSpaceInfo, skPaint, matrix, grPaint);
1447         }
1448     } else {
1449         if (hasColors) {
1450             // We have colors, but either have no shader or no texture coords (which implies that
1451             // we should ignore the shader).
1452             return SkPaintToGrPaintWithPrimitiveColor(context, colorSpaceInfo, skPaint, grPaint);
1453         } else {
1454             // No colors and no shaders. Just draw with the paint color.
1455             return SkPaintToGrPaintNoShader(context, colorSpaceInfo, skPaint, grPaint);
1456         }
1457     }
1458 }
1459 
wireframeVertices(SkVertices::VertexMode vmode,int vertexCount,const SkPoint vertices[],const SkVertices::Bone bones[],int boneCount,SkBlendMode bmode,const uint16_t indices[],int indexCount,const SkPaint & paint)1460 void SkGpuDevice::wireframeVertices(SkVertices::VertexMode vmode, int vertexCount,
1461                                     const SkPoint vertices[],
1462                                     const SkVertices::Bone bones[], int boneCount,
1463                                     SkBlendMode bmode,
1464                                     const uint16_t indices[], int indexCount,
1465                                     const SkPaint& paint) {
1466     ASSERT_SINGLE_OWNER
1467     GR_CREATE_TRACE_MARKER_CONTEXT("SkGpuDevice", "wireframeVertices", fContext.get());
1468 
1469     SkPaint copy(paint);
1470     copy.setStyle(SkPaint::kStroke_Style);
1471     copy.setStrokeWidth(0);
1472 
1473     GrPaint grPaint;
1474     // we ignore the shader since we have no texture coordinates.
1475     if (!SkPaintToGrPaintNoShader(this->context(), fRenderTargetContext->colorSpaceInfo(), copy,
1476                                   &grPaint)) {
1477         return;
1478     }
1479 
1480     int triangleCount = 0;
1481     int n = (nullptr == indices) ? vertexCount : indexCount;
1482     switch (vmode) {
1483         case SkVertices::kTriangles_VertexMode:
1484             triangleCount = n / 3;
1485             break;
1486         case SkVertices::kTriangleStrip_VertexMode:
1487             triangleCount = n - 2;
1488             break;
1489         case SkVertices::kTriangleFan_VertexMode:
1490             SK_ABORT("Unexpected triangle fan.");
1491             break;
1492     }
1493 
1494     VertState       state(vertexCount, indices, indexCount);
1495     VertState::Proc vertProc = state.chooseProc(vmode);
1496 
1497     //number of indices for lines per triangle with kLines
1498     indexCount = triangleCount * 6;
1499 
1500     static constexpr SkVertices::VertexMode kIgnoredMode = SkVertices::kTriangles_VertexMode;
1501     SkVertices::Builder builder(kIgnoredMode, vertexCount, indexCount, 0);
1502     memcpy(builder.positions(), vertices, vertexCount * sizeof(SkPoint));
1503 
1504     uint16_t* lineIndices = builder.indices();
1505     int i = 0;
1506     while (vertProc(&state)) {
1507         lineIndices[i]     = state.f0;
1508         lineIndices[i + 1] = state.f1;
1509         lineIndices[i + 2] = state.f1;
1510         lineIndices[i + 3] = state.f2;
1511         lineIndices[i + 4] = state.f2;
1512         lineIndices[i + 5] = state.f0;
1513         i += 6;
1514     }
1515 
1516     GrPrimitiveType primitiveType = GrPrimitiveType::kLines;
1517     fRenderTargetContext->drawVertices(this->clip(),
1518                                        std::move(grPaint),
1519                                        this->ctm(),
1520                                        builder.detach(),
1521                                        bones,
1522                                        boneCount,
1523                                        &primitiveType);
1524 }
1525 
drawVertices(const SkVertices * vertices,const SkVertices::Bone bones[],int boneCount,SkBlendMode mode,const SkPaint & paint)1526 void SkGpuDevice::drawVertices(const SkVertices* vertices, const SkVertices::Bone bones[],
1527                                int boneCount, SkBlendMode mode, const SkPaint& paint) {
1528     ASSERT_SINGLE_OWNER
1529     GR_CREATE_TRACE_MARKER_CONTEXT("SkGpuDevice", "drawVertices", fContext.get());
1530 
1531     SkASSERT(vertices);
1532     GrPaint grPaint;
1533     bool hasColors = vertices->hasColors();
1534     bool hasTexs = vertices->hasTexCoords();
1535     if ((!hasTexs || !paint.getShader()) && !hasColors) {
1536         // The dreaded wireframe mode. Fallback to drawVertices and go so slooooooow.
1537         this->wireframeVertices(vertices->mode(), vertices->vertexCount(), vertices->positions(),
1538                                 bones, boneCount, mode, vertices->indices(), vertices->indexCount(),
1539                                 paint);
1540         return;
1541     }
1542     if (!init_vertices_paint(fContext.get(), fRenderTargetContext->colorSpaceInfo(), paint,
1543                              this->ctm(), mode, hasTexs, hasColors, &grPaint)) {
1544         return;
1545     }
1546     fRenderTargetContext->drawVertices(this->clip(), std::move(grPaint), this->ctm(),
1547                                        sk_ref_sp(const_cast<SkVertices*>(vertices)),
1548                                        bones, boneCount);
1549 }
1550 
1551 ///////////////////////////////////////////////////////////////////////////////
1552 
drawShadow(const SkPath & path,const SkDrawShadowRec & rec)1553 void SkGpuDevice::drawShadow(const SkPath& path, const SkDrawShadowRec& rec) {
1554 
1555     ASSERT_SINGLE_OWNER
1556     GR_CREATE_TRACE_MARKER_CONTEXT("SkGpuDevice", "drawShadow", fContext.get());
1557 
1558     if (!fRenderTargetContext->drawFastShadow(this->clip(), this->ctm(), path, rec)) {
1559         // failed to find an accelerated case
1560         this->INHERITED::drawShadow(path, rec);
1561     }
1562 }
1563 
1564 ///////////////////////////////////////////////////////////////////////////////
1565 
drawAtlas(const SkImage * atlas,const SkRSXform xform[],const SkRect texRect[],const SkColor colors[],int count,SkBlendMode mode,const SkPaint & paint)1566 void SkGpuDevice::drawAtlas(const SkImage* atlas, const SkRSXform xform[],
1567                             const SkRect texRect[], const SkColor colors[], int count,
1568                             SkBlendMode mode, const SkPaint& paint) {
1569     ASSERT_SINGLE_OWNER
1570     GR_CREATE_TRACE_MARKER_CONTEXT("SkGpuDevice", "drawAtlas", fContext.get());
1571 
1572     SkPaint p(paint);
1573     p.setShader(atlas->makeShader());
1574 
1575     GrPaint grPaint;
1576     if (colors) {
1577         if (!SkPaintToGrPaintWithXfermode(this->context(), fRenderTargetContext->colorSpaceInfo(),
1578                                           p, this->ctm(), (SkBlendMode)mode, &grPaint)) {
1579             return;
1580         }
1581     } else {
1582         if (!SkPaintToGrPaint(this->context(), fRenderTargetContext->colorSpaceInfo(), p,
1583                               this->ctm(), &grPaint)) {
1584             return;
1585         }
1586     }
1587 
1588     fRenderTargetContext->drawAtlas(
1589             this->clip(), std::move(grPaint), this->ctm(), count, xform, texRect, colors);
1590 }
1591 
1592 ///////////////////////////////////////////////////////////////////////////////
1593 
drawGlyphRunList(const SkGlyphRunList & glyphRunList)1594 void SkGpuDevice::drawGlyphRunList(const SkGlyphRunList& glyphRunList) {
1595     ASSERT_SINGLE_OWNER
1596     GR_CREATE_TRACE_MARKER_CONTEXT("SkGpuDevice", "drawGlyphRunList", fContext.get());
1597 
1598     // Check for valid input
1599     const SkMatrix& ctm = this->ctm();
1600     if (!ctm.isFinite() || !glyphRunList.allFontsFinite()) {
1601         return;
1602     }
1603 
1604     fRenderTargetContext->drawGlyphRunList(this->clip(), ctm, glyphRunList);
1605 }
1606 
1607 ///////////////////////////////////////////////////////////////////////////////
1608 
drawDrawable(SkDrawable * drawable,const SkMatrix * matrix,SkCanvas * canvas)1609 void SkGpuDevice::drawDrawable(SkDrawable* drawable, const SkMatrix* matrix, SkCanvas* canvas) {
1610     GrBackendApi api = this->context()->backend();
1611     if (GrBackendApi::kVulkan == api) {
1612         const SkMatrix& ctm = canvas->getTotalMatrix();
1613         const SkMatrix& combinedMatrix = matrix ? SkMatrix::Concat(ctm, *matrix) : ctm;
1614         std::unique_ptr<SkDrawable::GpuDrawHandler> gpuDraw =
1615                 drawable->snapGpuDrawHandler(api, combinedMatrix, canvas->getDeviceClipBounds(),
1616                                              this->imageInfo());
1617         if (gpuDraw) {
1618             fRenderTargetContext->drawDrawable(std::move(gpuDraw), drawable->getBounds());
1619             return;
1620         }
1621     }
1622     this->INHERITED::drawDrawable(drawable, matrix, canvas);
1623 }
1624 
1625 
1626 ///////////////////////////////////////////////////////////////////////////////
1627 
flush()1628 void SkGpuDevice::flush() {
1629     this->flush(SkSurface::BackendSurfaceAccess::kNoAccess, GrFlushInfo());
1630 }
1631 
flush(SkSurface::BackendSurfaceAccess access,const GrFlushInfo & info)1632 GrSemaphoresSubmitted SkGpuDevice::flush(SkSurface::BackendSurfaceAccess access,
1633                                          const GrFlushInfo& info) {
1634     ASSERT_SINGLE_OWNER
1635 
1636     return fRenderTargetContext->flush(access, info);
1637 }
1638 
wait(int numSemaphores,const GrBackendSemaphore * waitSemaphores)1639 bool SkGpuDevice::wait(int numSemaphores, const GrBackendSemaphore* waitSemaphores) {
1640     ASSERT_SINGLE_OWNER
1641 
1642     return fRenderTargetContext->waitOnSemaphores(numSemaphores, waitSemaphores);
1643 }
1644 
1645 ///////////////////////////////////////////////////////////////////////////////
1646 
onCreateDevice(const CreateInfo & cinfo,const SkPaint *)1647 SkBaseDevice* SkGpuDevice::onCreateDevice(const CreateInfo& cinfo, const SkPaint*) {
1648     ASSERT_SINGLE_OWNER
1649 
1650     SkSurfaceProps props(this->surfaceProps().flags(), cinfo.fPixelGeometry);
1651 
1652     // layers are never drawn in repeat modes, so we can request an approx
1653     // match and ignore any padding.
1654     SkBackingFit fit = kNever_TileUsage == cinfo.fTileUsage ? SkBackingFit::kApprox
1655                                                             : SkBackingFit::kExact;
1656 
1657     GrColorType colorType = fRenderTargetContext->colorSpaceInfo().colorType();
1658     if (colorType == GrColorType::kRGBA_1010102) {
1659         // If the original device is 1010102, fall back to 8888 so that we have a usable alpha
1660         // channel in the layer.
1661         colorType = GrColorType::kRGBA_8888;
1662     }
1663 
1664     sk_sp<GrRenderTargetContext> rtc(fContext->priv().makeDeferredRenderTargetContext(
1665             fit,
1666             cinfo.fInfo.width(),
1667             cinfo.fInfo.height(),
1668             colorType,
1669             fRenderTargetContext->colorSpaceInfo().refColorSpace(),
1670             fRenderTargetContext->numSamples(),
1671             GrMipMapped::kNo,
1672             kBottomLeft_GrSurfaceOrigin,
1673             &props,
1674             SkBudgeted::kYes,
1675             fRenderTargetContext->asSurfaceProxy()->isProtected() ? GrProtected::kYes
1676                                                                   : GrProtected::kNo));
1677     if (!rtc) {
1678         return nullptr;
1679     }
1680 
1681     // Skia's convention is to only clear a device if it is non-opaque.
1682     InitContents init = cinfo.fInfo.isOpaque() ? kUninit_InitContents : kClear_InitContents;
1683 
1684     return SkGpuDevice::Make(fContext.get(), std::move(rtc),
1685                              cinfo.fInfo.width(), cinfo.fInfo.height(), init).release();
1686 }
1687 
makeSurface(const SkImageInfo & info,const SkSurfaceProps & props)1688 sk_sp<SkSurface> SkGpuDevice::makeSurface(const SkImageInfo& info, const SkSurfaceProps& props) {
1689     ASSERT_SINGLE_OWNER
1690     // TODO: Change the signature of newSurface to take a budgeted parameter.
1691     static const SkBudgeted kBudgeted = SkBudgeted::kNo;
1692     return SkSurface::MakeRenderTarget(fContext.get(), kBudgeted, info,
1693                                        fRenderTargetContext->numSamples(),
1694                                        fRenderTargetContext->origin(), &props);
1695 }
1696 
getImageFilterCache()1697 SkImageFilterCache* SkGpuDevice::getImageFilterCache() {
1698     ASSERT_SINGLE_OWNER
1699     // We always return a transient cache, so it is freed after each
1700     // filter traversal.
1701     return SkImageFilterCache::Create(SkImageFilterCache::kDefaultTransientSize);
1702 }
1703 
1704