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 "SkPDFDevice.h"
9 
10 #include "SkAdvancedTypefaceMetrics.h"
11 #include "SkAnnotationKeys.h"
12 #include "SkBitmapDevice.h"
13 #include "SkBitmapKey.h"
14 #include "SkCanvas.h"
15 #include "SkClipOpPriv.h"
16 #include "SkClusterator.h"
17 #include "SkColor.h"
18 #include "SkColorFilter.h"
19 #include "SkDraw.h"
20 #include "SkGlyphRun.h"
21 #include "SkImageFilterCache.h"
22 #include "SkJpegEncoder.h"
23 #include "SkMakeUnique.h"
24 #include "SkMaskFilterBase.h"
25 #include "SkPDFBitmap.h"
26 #include "SkPDFDocument.h"
27 #include "SkPDFDocumentPriv.h"
28 #include "SkPDFFont.h"
29 #include "SkPDFFormXObject.h"
30 #include "SkPDFGraphicState.h"
31 #include "SkPDFResourceDict.h"
32 #include "SkPDFShader.h"
33 #include "SkPDFTypes.h"
34 #include "SkPDFUtils.h"
35 #include "SkPath.h"
36 #include "SkPathEffect.h"
37 #include "SkPathOps.h"
38 #include "SkRRect.h"
39 #include "SkRasterClip.h"
40 #include "SkScopeExit.h"
41 #include "SkStrike.h"
42 #include "SkString.h"
43 #include "SkSurface.h"
44 #include "SkTemplates.h"
45 #include "SkTextBlob.h"
46 #include "SkTextFormatParams.h"
47 #include "SkTo.h"
48 #include "SkUTF.h"
49 #include "SkXfermodeInterpretation.h"
50 
51 #include <vector>
52 
53 #ifndef SK_PDF_MASK_QUALITY
54     // If MASK_QUALITY is in [0,100], will be used for JpegEncoder.
55     // Otherwise, just encode masks losslessly.
56     #define SK_PDF_MASK_QUALITY 50
57     // Since these masks are used for blurry shadows, we shouldn't need
58     // high quality.  Raise this value if your shadows have visible JPEG
59     // artifacts.
60     // If SkJpegEncoder::Encode fails, we will fall back to the lossless
61     // encoding.
62 #endif
63 
64 // Utility functions
65 
to_path(const SkRect & r)66 static SkPath to_path(const SkRect& r) {
67     SkPath p;
68     p.addRect(r);
69     return p;
70 }
71 
72 // This function destroys the mask and either frees or takes the pixels.
mask_to_greyscale_image(SkMask * mask)73 sk_sp<SkImage> mask_to_greyscale_image(SkMask* mask) {
74     sk_sp<SkImage> img;
75     SkPixmap pm(SkImageInfo::Make(mask->fBounds.width(), mask->fBounds.height(),
76                                   kGray_8_SkColorType, kOpaque_SkAlphaType),
77                 mask->fImage, mask->fRowBytes);
78     const int imgQuality = SK_PDF_MASK_QUALITY;
79     if (imgQuality <= 100 && imgQuality >= 0) {
80         SkDynamicMemoryWStream buffer;
81         SkJpegEncoder::Options jpegOptions;
82         jpegOptions.fQuality = imgQuality;
83         if (SkJpegEncoder::Encode(&buffer, pm, jpegOptions)) {
84             img = SkImage::MakeFromEncoded(buffer.detachAsData());
85             SkASSERT(img);
86             if (img) {
87                 SkMask::FreeImage(mask->fImage);
88             }
89         }
90     }
91     if (!img) {
92         img = SkImage::MakeFromRaster(pm, [](const void* p, void*) { SkMask::FreeImage((void*)p); },
93                                       nullptr);
94     }
95     *mask = SkMask();  // destructive;
96     return img;
97 }
98 
alpha_image_to_greyscale_image(const SkImage * mask)99 sk_sp<SkImage> alpha_image_to_greyscale_image(const SkImage* mask) {
100     int w = mask->width(), h = mask->height();
101     SkBitmap greyBitmap;
102     greyBitmap.allocPixels(SkImageInfo::Make(w, h, kGray_8_SkColorType, kOpaque_SkAlphaType));
103     if (!mask->readPixels(SkImageInfo::MakeA8(w, h),
104                           greyBitmap.getPixels(), greyBitmap.rowBytes(), 0, 0)) {
105         return nullptr;
106     }
107     return SkImage::MakeFromBitmap(greyBitmap);
108 }
109 
add_resource(SkTHashSet<SkPDFIndirectReference> & resources,SkPDFIndirectReference ref)110 static int add_resource(SkTHashSet<SkPDFIndirectReference>& resources, SkPDFIndirectReference ref) {
111     resources.add(ref);
112     return ref.fValue;
113 }
114 
draw_points(SkCanvas::PointMode mode,size_t count,const SkPoint * points,const SkPaint & paint,const SkIRect & bounds,const SkMatrix & ctm,SkBaseDevice * device)115 static void draw_points(SkCanvas::PointMode mode,
116                         size_t count,
117                         const SkPoint* points,
118                         const SkPaint& paint,
119                         const SkIRect& bounds,
120                         const SkMatrix& ctm,
121                         SkBaseDevice* device) {
122     SkRasterClip rc(bounds);
123     SkDraw draw;
124     draw.fDst = SkPixmap(SkImageInfo::MakeUnknown(bounds.right(), bounds.bottom()), nullptr, 0);
125     draw.fMatrix = &ctm;
126     draw.fRC = &rc;
127     draw.drawPoints(mode, count, points, paint, device);
128 }
129 
130 // If the paint will definitely draw opaquely, replace kSrc with
131 // kSrcOver.  http://crbug.com/473572
replace_srcmode_on_opaque_paint(SkPaint * paint)132 static void replace_srcmode_on_opaque_paint(SkPaint* paint) {
133     if (kSrcOver_SkXfermodeInterpretation == SkInterpretXfermode(*paint, false)) {
134         paint->setBlendMode(SkBlendMode::kSrcOver);
135     }
136 }
137 
138 // A shader's matrix is:  CTMM x LocalMatrix x WrappingLocalMatrix.  We want to
139 // switch to device space, where CTM = I, while keeping the original behavior.
140 //
141 //               I * LocalMatrix * NewWrappingMatrix = CTM * LocalMatrix
142 //                   LocalMatrix * NewWrappingMatrix = CTM * LocalMatrix
143 //  InvLocalMatrix * LocalMatrix * NewWrappingMatrix = InvLocalMatrix * CTM * LocalMatrix
144 //                                 NewWrappingMatrix = InvLocalMatrix * CTM * LocalMatrix
145 //
transform_shader(SkPaint * paint,const SkMatrix & ctm)146 static void transform_shader(SkPaint* paint, const SkMatrix& ctm) {
147     SkMatrix lm = SkPDFUtils::GetShaderLocalMatrix(paint->getShader());
148     SkMatrix lmInv;
149     if (lm.invert(&lmInv)) {
150         SkMatrix m = SkMatrix::Concat(SkMatrix::Concat(lmInv, ctm), lm);
151         paint->setShader(paint->getShader()->makeWithLocalMatrix(m));
152     }
153 }
154 
emit_pdf_color(SkColor4f color,SkWStream * result)155 static void emit_pdf_color(SkColor4f color, SkWStream* result) {
156     SkASSERT(color.fA == 1);  // We handle alpha elsewhere.
157     SkPDFUtils::AppendColorComponentF(color.fR, result);
158     result->writeText(" ");
159     SkPDFUtils::AppendColorComponentF(color.fG, result);
160     result->writeText(" ");
161     SkPDFUtils::AppendColorComponentF(color.fB, result);
162     result->writeText(" ");
163 }
164 
165 // If the paint has a color filter, apply the color filter to the shader or the
166 // paint color.  Remove the color filter.
remove_color_filter(SkPaint * paint)167 void remove_color_filter(SkPaint* paint) {
168     if (SkColorFilter* cf = paint->getColorFilter()) {
169         if (SkShader* shader = paint->getShader()) {
170             paint->setShader(shader->makeWithColorFilter(paint->refColorFilter()));
171         } else {
172             paint->setColor4f(cf->filterColor4f(paint->getColor4f(), nullptr), nullptr);
173         }
174         paint->setColorFilter(nullptr);
175     }
176 }
177 
GraphicStackState(SkDynamicMemoryWStream * s)178 SkPDFDevice::GraphicStackState::GraphicStackState(SkDynamicMemoryWStream* s) : fContentStream(s) {
179 }
180 
drainStack()181 void SkPDFDevice::GraphicStackState::drainStack() {
182     if (fContentStream) {
183         while (fStackDepth) {
184             this->pop();
185         }
186     }
187     SkASSERT(fStackDepth == 0);
188 }
189 
push()190 void SkPDFDevice::GraphicStackState::push() {
191     SkASSERT(fStackDepth < kMaxStackDepth);
192     fContentStream->writeText("q\n");
193     fStackDepth++;
194     fEntries[fStackDepth] = fEntries[fStackDepth - 1];
195 }
196 
pop()197 void SkPDFDevice::GraphicStackState::pop() {
198     SkASSERT(fStackDepth > 0);
199     fContentStream->writeText("Q\n");
200     fEntries[fStackDepth] = SkPDFDevice::GraphicStateEntry();
201     fStackDepth--;
202 }
203 
204 /* Calculate an inverted path's equivalent non-inverted path, given the
205  * canvas bounds.
206  * outPath may alias with invPath (since this is supported by PathOps).
207  */
calculate_inverse_path(const SkRect & bounds,const SkPath & invPath,SkPath * outPath)208 static bool calculate_inverse_path(const SkRect& bounds, const SkPath& invPath,
209                                    SkPath* outPath) {
210     SkASSERT(invPath.isInverseFillType());
211     return Op(to_path(bounds), invPath, kIntersect_SkPathOp, outPath);
212 }
213 
rect_intersect(SkRect u,SkRect v)214 static SkRect rect_intersect(SkRect u, SkRect v) {
215     if (u.isEmpty() || v.isEmpty()) { return {0, 0, 0, 0}; }
216     return u.intersect(v) ? u : SkRect{0, 0, 0, 0};
217 }
218 
219 // Test to see if the clipstack is a simple rect, If so, we can avoid all PathOps code
220 // and speed thing up.
is_rect(const SkClipStack & clipStack,const SkRect & bounds,SkRect * dst)221 static bool is_rect(const SkClipStack& clipStack, const SkRect& bounds, SkRect* dst) {
222     SkRect currentClip = bounds;
223     SkClipStack::Iter iter(clipStack, SkClipStack::Iter::kBottom_IterStart);
224     while (const SkClipStack::Element* element = iter.next()) {
225         SkRect elementRect{0, 0, 0, 0};
226         switch (element->getDeviceSpaceType()) {
227             case SkClipStack::Element::DeviceSpaceType::kEmpty:
228                 break;
229             case SkClipStack::Element::DeviceSpaceType::kRect:
230                 elementRect = element->getDeviceSpaceRect();
231                 break;
232             default:
233                 return false;
234         }
235         switch (element->getOp()) {
236             case kReplace_SkClipOp:
237                 currentClip = rect_intersect(bounds, elementRect);
238                 break;
239             case SkClipOp::kIntersect:
240                 currentClip = rect_intersect(currentClip, elementRect);
241                 break;
242             default:
243                 return false;
244         }
245     }
246     *dst = currentClip;
247     return true;
248 }
249 
append_clip(const SkClipStack & clipStack,const SkIRect & bounds,SkWStream * wStream)250 static void append_clip(const SkClipStack& clipStack,
251                         const SkIRect& bounds,
252                         SkWStream* wStream) {
253     // The bounds are slightly outset to ensure this is correct in the
254     // face of floating-point accuracy and possible SkRegion bitmap
255     // approximations.
256     SkRect outsetBounds = SkRect::Make(bounds.makeOutset(1, 1));
257 
258     SkRect clipStackRect;
259     if (is_rect(clipStack, outsetBounds, &clipStackRect)) {
260         SkPDFUtils::AppendRectangle(clipStackRect, wStream);
261         wStream->writeText("W* n\n");
262         return;
263     }
264 
265     SkPath clipPath;
266     (void)clipStack.asPath(&clipPath);
267 
268     if (Op(clipPath, to_path(outsetBounds), kIntersect_SkPathOp, &clipPath)) {
269         SkPDFUtils::EmitPath(clipPath, SkPaint::kFill_Style, wStream);
270         SkPath::FillType clipFill = clipPath.getFillType();
271         NOT_IMPLEMENTED(clipFill == SkPath::kInverseEvenOdd_FillType, false);
272         NOT_IMPLEMENTED(clipFill == SkPath::kInverseWinding_FillType, false);
273         if (clipFill == SkPath::kEvenOdd_FillType) {
274             wStream->writeText("W* n\n");
275         } else {
276             wStream->writeText("W n\n");
277         }
278     }
279     // If Op() fails (pathological case; e.g. input values are
280     // extremely large or NaN), emit no clip at all.
281 }
282 
283 // TODO(vandebo): Take advantage of SkClipStack::getSaveCount(), the PDF
284 // graphic state stack, and the fact that we can know all the clips used
285 // on the page to optimize this.
updateClip(const SkClipStack * clipStack,const SkIRect & bounds)286 void SkPDFDevice::GraphicStackState::updateClip(const SkClipStack* clipStack,
287                                                 const SkIRect& bounds) {
288     uint32_t clipStackGenID = clipStack ? clipStack->getTopmostGenID()
289                                         : SkClipStack::kWideOpenGenID;
290     if (clipStackGenID == currentEntry()->fClipStackGenID) {
291         return;
292     }
293 
294     while (fStackDepth > 0) {
295         this->pop();
296         if (clipStackGenID == currentEntry()->fClipStackGenID) {
297             return;
298         }
299     }
300     SkASSERT(currentEntry()->fClipStackGenID == SkClipStack::kWideOpenGenID);
301     if (clipStackGenID != SkClipStack::kWideOpenGenID) {
302         SkASSERT(clipStack);
303         this->push();
304 
305         currentEntry()->fClipStackGenID = clipStackGenID;
306         append_clip(*clipStack, bounds, fContentStream);
307     }
308 }
309 
append_transform(const SkMatrix & matrix,SkWStream * content)310 static void append_transform(const SkMatrix& matrix, SkWStream* content) {
311     SkScalar values[6];
312     if (!matrix.asAffine(values)) {
313         SkMatrix::SetAffineIdentity(values);
314     }
315     for (SkScalar v : values) {
316         SkPDFUtils::AppendScalar(v, content);
317         content->writeText(" ");
318     }
319     content->writeText("cm\n");
320 }
321 
updateMatrix(const SkMatrix & matrix)322 void SkPDFDevice::GraphicStackState::updateMatrix(const SkMatrix& matrix) {
323     if (matrix == currentEntry()->fMatrix) {
324         return;
325     }
326 
327     if (currentEntry()->fMatrix.getType() != SkMatrix::kIdentity_Mask) {
328         SkASSERT(fStackDepth > 0);
329         SkASSERT(fEntries[fStackDepth].fClipStackGenID ==
330                  fEntries[fStackDepth -1].fClipStackGenID);
331         this->pop();
332 
333         SkASSERT(currentEntry()->fMatrix.getType() == SkMatrix::kIdentity_Mask);
334     }
335     if (matrix.getType() == SkMatrix::kIdentity_Mask) {
336         return;
337     }
338 
339     this->push();
340     append_transform(matrix, fContentStream);
341     currentEntry()->fMatrix = matrix;
342 }
343 
updateDrawingState(const SkPDFDevice::GraphicStateEntry & state)344 void SkPDFDevice::GraphicStackState::updateDrawingState(const SkPDFDevice::GraphicStateEntry& state) {
345     // PDF treats a shader as a color, so we only set one or the other.
346     if (state.fShaderIndex >= 0) {
347         if (state.fShaderIndex != currentEntry()->fShaderIndex) {
348             SkPDFUtils::ApplyPattern(state.fShaderIndex, fContentStream);
349             currentEntry()->fShaderIndex = state.fShaderIndex;
350         }
351     } else {
352         if (state.fColor != currentEntry()->fColor ||
353                 currentEntry()->fShaderIndex >= 0) {
354             emit_pdf_color(state.fColor, fContentStream);
355             fContentStream->writeText("RG ");
356             emit_pdf_color(state.fColor, fContentStream);
357             fContentStream->writeText("rg\n");
358             currentEntry()->fColor = state.fColor;
359             currentEntry()->fShaderIndex = -1;
360         }
361     }
362 
363     if (state.fGraphicStateIndex != currentEntry()->fGraphicStateIndex) {
364         SkPDFUtils::ApplyGraphicState(state.fGraphicStateIndex, fContentStream);
365         currentEntry()->fGraphicStateIndex = state.fGraphicStateIndex;
366     }
367 
368     if (state.fTextScaleX) {
369         if (state.fTextScaleX != currentEntry()->fTextScaleX) {
370             SkScalar pdfScale = state.fTextScaleX * 100;
371             SkPDFUtils::AppendScalar(pdfScale, fContentStream);
372             fContentStream->writeText(" Tz\n");
373             currentEntry()->fTextScaleX = state.fTextScaleX;
374         }
375     }
376 }
377 
onCreateDevice(const CreateInfo & cinfo,const SkPaint * layerPaint)378 SkBaseDevice* SkPDFDevice::onCreateDevice(const CreateInfo& cinfo, const SkPaint* layerPaint) {
379     // PDF does not support image filters, so render them on CPU.
380     // Note that this rendering is done at "screen" resolution (100dpi), not
381     // printer resolution.
382 
383     // TODO: It may be possible to express some filters natively using PDF
384     // to improve quality and file size (https://bug.skia.org/3043)
385     if (layerPaint && (layerPaint->getImageFilter() || layerPaint->getColorFilter())) {
386         // need to return a raster device, which we will detect in drawDevice()
387         return SkBitmapDevice::Create(cinfo.fInfo, SkSurfaceProps(0, kUnknown_SkPixelGeometry));
388     }
389     return new SkPDFDevice(cinfo.fInfo.dimensions(), fDocument);
390 }
391 
392 // A helper class to automatically finish a ContentEntry at the end of a
393 // drawing method and maintain the state needed between set up and finish.
394 class ScopedContentEntry {
395 public:
ScopedContentEntry(SkPDFDevice * device,const SkClipStack * clipStack,const SkMatrix & matrix,const SkPaint & paint,SkScalar textScale=0)396     ScopedContentEntry(SkPDFDevice* device,
397                        const SkClipStack* clipStack,
398                        const SkMatrix& matrix,
399                        const SkPaint& paint,
400                        SkScalar textScale = 0)
401         : fDevice(device)
402         , fBlendMode(SkBlendMode::kSrcOver)
403         , fClipStack(clipStack)
404     {
405         if (matrix.hasPerspective()) {
406             NOT_IMPLEMENTED(!matrix.hasPerspective(), false);
407             return;
408         }
409         fBlendMode = paint.getBlendMode();
410         fContentStream =
411             fDevice->setUpContentEntry(clipStack, matrix, paint, textScale, &fDstFormXObject);
412     }
ScopedContentEntry(SkPDFDevice * dev,const SkPaint & paint,SkScalar textScale=0)413     ScopedContentEntry(SkPDFDevice* dev, const SkPaint& paint, SkScalar textScale = 0)
414         : ScopedContentEntry(dev, &dev->cs(), dev->ctm(), paint, textScale) {}
415 
~ScopedContentEntry()416     ~ScopedContentEntry() {
417         if (fContentStream) {
418             SkPath* shape = &fShape;
419             if (shape->isEmpty()) {
420                 shape = nullptr;
421             }
422             fDevice->finishContentEntry(fClipStack, fBlendMode, fDstFormXObject, shape);
423         }
424     }
425 
operator bool() const426     explicit operator bool() const { return fContentStream != nullptr; }
stream()427     SkDynamicMemoryWStream* stream() { return fContentStream; }
428 
429     /* Returns true when we explicitly need the shape of the drawing. */
needShape()430     bool needShape() {
431         switch (fBlendMode) {
432             case SkBlendMode::kClear:
433             case SkBlendMode::kSrc:
434             case SkBlendMode::kSrcIn:
435             case SkBlendMode::kSrcOut:
436             case SkBlendMode::kDstIn:
437             case SkBlendMode::kDstOut:
438             case SkBlendMode::kSrcATop:
439             case SkBlendMode::kDstATop:
440             case SkBlendMode::kModulate:
441                 return true;
442             default:
443                 return false;
444         }
445     }
446 
447     /* Returns true unless we only need the shape of the drawing. */
needSource()448     bool needSource() {
449         if (fBlendMode == SkBlendMode::kClear) {
450             return false;
451         }
452         return true;
453     }
454 
455     /* If the shape is different than the alpha component of the content, then
456      * setShape should be called with the shape.  In particular, images and
457      * devices have rectangular shape.
458      */
setShape(const SkPath & shape)459     void setShape(const SkPath& shape) {
460         fShape = shape;
461     }
462 
463 private:
464     SkPDFDevice* fDevice = nullptr;
465     SkDynamicMemoryWStream* fContentStream = nullptr;
466     SkBlendMode fBlendMode;
467     SkPDFIndirectReference fDstFormXObject;
468     SkPath fShape;
469     const SkClipStack* fClipStack;
470 };
471 
472 ////////////////////////////////////////////////////////////////////////////////
473 
SkPDFDevice(SkISize pageSize,SkPDFDocument * doc,const SkMatrix & transform)474 SkPDFDevice::SkPDFDevice(SkISize pageSize, SkPDFDocument* doc, const SkMatrix& transform)
475     : INHERITED(SkImageInfo::MakeUnknown(pageSize.width(), pageSize.height()),
476                 SkSurfaceProps(0, kUnknown_SkPixelGeometry))
477     , fInitialTransform(transform)
478     , fNodeId(0)
479     , fDocument(doc)
480 {
481     SkASSERT(!pageSize.isEmpty());
482 }
483 
484 SkPDFDevice::~SkPDFDevice() = default;
485 
reset()486 void SkPDFDevice::reset() {
487     fLinkToURLs = std::vector<RectWithData>();
488     fLinkToDestinations = std::vector<RectWithData>();
489     fNamedDestinations = std::vector<NamedDestination>();
490     fGraphicStateResources.reset();
491     fXObjectResources.reset();
492     fShaderResources.reset();
493     fFontResources.reset();
494     fContent.reset();
495     fActiveStackState = GraphicStackState();
496 }
497 
drawAnnotation(const SkRect & rect,const char key[],SkData * value)498 void SkPDFDevice::drawAnnotation(const SkRect& rect, const char key[], SkData* value) {
499     if (!value) {
500         return;
501     }
502     if (rect.isEmpty()) {
503         if (!strcmp(key, SkPDFGetNodeIdKey())) {
504             int nodeID;
505             if (value->size() != sizeof(nodeID)) { return; }
506             memcpy(&nodeID, value->data(), sizeof(nodeID));
507             fNodeId = nodeID;
508             return;
509         }
510         if (!strcmp(SkAnnotationKeys::Define_Named_Dest_Key(), key)) {
511             SkPoint transformedPoint;
512             this->ctm().mapXY(rect.x(), rect.y(), &transformedPoint);
513             fNamedDestinations.emplace_back(NamedDestination{sk_ref_sp(value), transformedPoint});
514         }
515         return;
516     }
517     // Convert to path to handle non-90-degree rotations.
518     SkPath path = to_path(rect);
519     path.transform(this->ctm(), &path);
520     SkPath clip;
521     (void)this->cs().asPath(&clip);
522     Op(clip, path, kIntersect_SkPathOp, &path);
523     // PDF wants a rectangle only.
524     SkRect transformedRect = path.getBounds();
525     if (transformedRect.isEmpty()) {
526         return;
527     }
528     if (!strcmp(SkAnnotationKeys::URL_Key(), key)) {
529         fLinkToURLs.emplace_back(RectWithData{transformedRect, sk_ref_sp(value)});
530     } else if (!strcmp(SkAnnotationKeys::Link_Named_Dest_Key(), key)) {
531         fLinkToDestinations.emplace_back(RectWithData{transformedRect, sk_ref_sp(value)});
532     }
533 }
534 
drawPaint(const SkPaint & srcPaint)535 void SkPDFDevice::drawPaint(const SkPaint& srcPaint) {
536     SkMatrix inverse;
537     if (!this->ctm().invert(&inverse)) {
538         return;
539     }
540     SkRect bbox = this->cs().bounds(this->bounds());
541     inverse.mapRect(&bbox);
542     bbox.roundOut(&bbox);
543     if (this->hasEmptyClip()) {
544         return;
545     }
546     SkPaint newPaint = srcPaint;
547     newPaint.setStyle(SkPaint::kFill_Style);
548     this->drawRect(bbox, newPaint);
549 }
550 
drawPoints(SkCanvas::PointMode mode,size_t count,const SkPoint * points,const SkPaint & srcPaint)551 void SkPDFDevice::drawPoints(SkCanvas::PointMode mode,
552                              size_t count,
553                              const SkPoint* points,
554                              const SkPaint& srcPaint) {
555     if (this->hasEmptyClip()) {
556         return;
557     }
558     SkPaint passedPaint = srcPaint;
559     remove_color_filter(&passedPaint);
560     replace_srcmode_on_opaque_paint(&passedPaint);
561     if (SkCanvas::kPoints_PointMode != mode) {
562         passedPaint.setStyle(SkPaint::kStroke_Style);
563     }
564     if (count == 0) {
565         return;
566     }
567 
568     // SkDraw::drawPoints converts to multiple calls to fDevice->drawPath.
569     // We only use this when there's a path effect because of the overhead
570     // of multiple calls to setUpContentEntry it causes.
571     if (passedPaint.getPathEffect()) {
572         draw_points(mode, count, points, passedPaint,
573                     this->devClipBounds(), this->ctm(), this);
574         return;
575     }
576 
577     const SkPaint* paint = &passedPaint;
578     SkPaint modifiedPaint;
579 
580     if (mode == SkCanvas::kPoints_PointMode &&
581             paint->getStrokeCap() != SkPaint::kRound_Cap) {
582         modifiedPaint = *paint;
583         paint = &modifiedPaint;
584         if (paint->getStrokeWidth()) {
585             // PDF won't draw a single point with square/butt caps because the
586             // orientation is ambiguous.  Draw a rectangle instead.
587             modifiedPaint.setStyle(SkPaint::kFill_Style);
588             SkScalar strokeWidth = paint->getStrokeWidth();
589             SkScalar halfStroke = SkScalarHalf(strokeWidth);
590             for (size_t i = 0; i < count; i++) {
591                 SkRect r = SkRect::MakeXYWH(points[i].fX, points[i].fY, 0, 0);
592                 r.inset(-halfStroke, -halfStroke);
593                 this->drawRect(r, modifiedPaint);
594             }
595             return;
596         } else {
597             modifiedPaint.setStrokeCap(SkPaint::kRound_Cap);
598         }
599     }
600 
601     ScopedContentEntry content(this, *paint);
602     if (!content) {
603         return;
604     }
605     SkDynamicMemoryWStream* contentStream = content.stream();
606     switch (mode) {
607         case SkCanvas::kPolygon_PointMode:
608             SkPDFUtils::MoveTo(points[0].fX, points[0].fY, contentStream);
609             for (size_t i = 1; i < count; i++) {
610                 SkPDFUtils::AppendLine(points[i].fX, points[i].fY, contentStream);
611             }
612             SkPDFUtils::StrokePath(contentStream);
613             break;
614         case SkCanvas::kLines_PointMode:
615             for (size_t i = 0; i < count/2; i++) {
616                 SkPDFUtils::MoveTo(points[i * 2].fX, points[i * 2].fY, contentStream);
617                 SkPDFUtils::AppendLine(points[i * 2 + 1].fX, points[i * 2 + 1].fY, contentStream);
618                 SkPDFUtils::StrokePath(contentStream);
619             }
620             break;
621         case SkCanvas::kPoints_PointMode:
622             SkASSERT(paint->getStrokeCap() == SkPaint::kRound_Cap);
623             for (size_t i = 0; i < count; i++) {
624                 SkPDFUtils::MoveTo(points[i].fX, points[i].fY, contentStream);
625                 SkPDFUtils::ClosePath(contentStream);
626                 SkPDFUtils::StrokePath(contentStream);
627             }
628             break;
629         default:
630             SkASSERT(false);
631     }
632 }
633 
create_link_annotation(const SkRect & translatedRect)634 static std::unique_ptr<SkPDFDict> create_link_annotation(const SkRect& translatedRect) {
635     auto annotation = SkPDFMakeDict("Annot");
636     annotation->insertName("Subtype", "Link");
637     annotation->insertInt("F", 4);  // required by ISO 19005
638     // Border: 0 = Horizontal corner radius.
639     //         0 = Vertical corner radius.
640     //         0 = Width, 0 = no border.
641     annotation->insertObject("Border", SkPDFMakeArray(0, 0, 0));
642 
643     annotation->insertObject("Rect", SkPDFMakeArray(translatedRect.fLeft,
644                                                     translatedRect.fTop,
645                                                     translatedRect.fRight,
646                                                     translatedRect.fBottom));
647     return annotation;
648 }
649 
create_link_to_url(const SkData * urlData,const SkRect & r)650 static std::unique_ptr<SkPDFDict> create_link_to_url(const SkData* urlData, const SkRect& r) {
651     std::unique_ptr<SkPDFDict> annotation = create_link_annotation(r);
652     SkString url(static_cast<const char *>(urlData->data()),
653                  urlData->size() - 1);
654     auto action = SkPDFMakeDict("Action");
655     action->insertName("S", "URI");
656     action->insertString("URI", url);
657     annotation->insertObject("A", std::move(action));
658     return annotation;
659 }
660 
create_link_named_dest(const SkData * nameData,const SkRect & r)661 static std::unique_ptr<SkPDFDict> create_link_named_dest(const SkData* nameData,
662                                                          const SkRect& r) {
663     std::unique_ptr<SkPDFDict> annotation = create_link_annotation(r);
664     SkString name(static_cast<const char *>(nameData->data()),
665                   nameData->size() - 1);
666     annotation->insertName("Dest", name);
667     return annotation;
668 }
669 
drawRect(const SkRect & rect,const SkPaint & srcPaint)670 void SkPDFDevice::drawRect(const SkRect& rect,
671                            const SkPaint& srcPaint) {
672     if (this->hasEmptyClip()) {
673         return;
674     }
675     SkPaint paint = srcPaint;
676     remove_color_filter(&paint);
677     replace_srcmode_on_opaque_paint(&paint);
678     SkRect r = rect;
679     r.sort();
680 
681     if (paint.getPathEffect() || paint.getMaskFilter() || this->ctm().hasPerspective()) {
682         this->drawPath(to_path(r), paint, true);
683         return;
684     }
685 
686     ScopedContentEntry content(this, paint);
687     if (!content) {
688         return;
689     }
690     SkPDFUtils::AppendRectangle(r, content.stream());
691     SkPDFUtils::PaintPath(paint.getStyle(), SkPath::kWinding_FillType, content.stream());
692 }
693 
drawRRect(const SkRRect & rrect,const SkPaint & srcPaint)694 void SkPDFDevice::drawRRect(const SkRRect& rrect,
695                             const SkPaint& srcPaint) {
696     if (this->hasEmptyClip()) {
697         return;
698     }
699     SkPaint paint = srcPaint;
700     remove_color_filter(&paint);
701     replace_srcmode_on_opaque_paint(&paint);
702     SkPath  path;
703     path.addRRect(rrect);
704     this->drawPath(path, paint, true);
705 }
706 
drawOval(const SkRect & oval,const SkPaint & srcPaint)707 void SkPDFDevice::drawOval(const SkRect& oval,
708                            const SkPaint& srcPaint) {
709     if (this->hasEmptyClip()) {
710         return;
711     }
712     SkPaint paint = srcPaint;
713     remove_color_filter(&paint);
714     replace_srcmode_on_opaque_paint(&paint);
715     SkPath  path;
716     path.addOval(oval);
717     this->drawPath(path, paint, true);
718 }
719 
drawPath(const SkPath & origPath,const SkPaint & srcPaint,bool pathIsMutable)720 void SkPDFDevice::drawPath(const SkPath& origPath,
721                            const SkPaint& srcPaint,
722                            bool pathIsMutable) {
723     this->internalDrawPath(this->cs(), this->ctm(), origPath, srcPaint, pathIsMutable);
724 }
725 
internalDrawPathWithFilter(const SkClipStack & clipStack,const SkMatrix & ctm,const SkPath & origPath,const SkPaint & origPaint)726 void SkPDFDevice::internalDrawPathWithFilter(const SkClipStack& clipStack,
727                                              const SkMatrix& ctm,
728                                              const SkPath& origPath,
729                                              const SkPaint& origPaint) {
730     SkASSERT(origPaint.getMaskFilter());
731     SkPath path(origPath);
732     SkTCopyOnFirstWrite<SkPaint> paint(origPaint);
733 
734     SkStrokeRec::InitStyle initStyle = paint->getFillPath(path, &path)
735                                      ? SkStrokeRec::kFill_InitStyle
736                                      : SkStrokeRec::kHairline_InitStyle;
737     path.transform(ctm, &path);
738 
739     SkIRect bounds = clipStack.bounds(this->bounds()).roundOut();
740     SkMask sourceMask;
741     if (!SkDraw::DrawToMask(path, &bounds, paint->getMaskFilter(), &SkMatrix::I(),
742                             &sourceMask, SkMask::kComputeBoundsAndRenderImage_CreateMode,
743                             initStyle)) {
744         return;
745     }
746     SkAutoMaskFreeImage srcAutoMaskFreeImage(sourceMask.fImage);
747     SkMask dstMask;
748     SkIPoint margin;
749     if (!as_MFB(paint->getMaskFilter())->filterMask(&dstMask, sourceMask, ctm, &margin)) {
750         return;
751     }
752     SkIRect dstMaskBounds = dstMask.fBounds;
753     sk_sp<SkImage> mask = mask_to_greyscale_image(&dstMask);
754     // PDF doesn't seem to allow masking vector graphics with an Image XObject.
755     // Must mask with a Form XObject.
756     sk_sp<SkPDFDevice> maskDevice = this->makeCongruentDevice();
757     {
758         SkCanvas canvas(maskDevice);
759         canvas.drawImage(mask, dstMaskBounds.x(), dstMaskBounds.y());
760     }
761     if (!ctm.isIdentity() && paint->getShader()) {
762         transform_shader(paint.writable(), ctm); // Since we are using identity matrix.
763     }
764     ScopedContentEntry content(this, &clipStack, SkMatrix::I(), *paint);
765     if (!content) {
766         return;
767     }
768     this->addSMaskGraphicState(std::move(maskDevice), content.stream());
769     SkPDFUtils::AppendRectangle(SkRect::Make(dstMaskBounds), content.stream());
770     SkPDFUtils::PaintPath(SkPaint::kFill_Style, path.getFillType(), content.stream());
771     this->clearMaskOnGraphicState(content.stream());
772 }
773 
setGraphicState(SkPDFIndirectReference gs,SkDynamicMemoryWStream * content)774 void SkPDFDevice::setGraphicState(SkPDFIndirectReference gs, SkDynamicMemoryWStream* content) {
775     SkPDFUtils::ApplyGraphicState(add_resource(fGraphicStateResources, gs), content);
776 }
777 
addSMaskGraphicState(sk_sp<SkPDFDevice> maskDevice,SkDynamicMemoryWStream * contentStream)778 void SkPDFDevice::addSMaskGraphicState(sk_sp<SkPDFDevice> maskDevice,
779                                        SkDynamicMemoryWStream* contentStream) {
780     this->setGraphicState(SkPDFGraphicState::GetSMaskGraphicState(
781             maskDevice->makeFormXObjectFromDevice(true), false,
782             SkPDFGraphicState::kLuminosity_SMaskMode, fDocument), contentStream);
783 }
784 
clearMaskOnGraphicState(SkDynamicMemoryWStream * contentStream)785 void SkPDFDevice::clearMaskOnGraphicState(SkDynamicMemoryWStream* contentStream) {
786     // The no-softmask graphic state is used to "turn off" the mask for later draw calls.
787     SkPDFIndirectReference& noSMaskGS = fDocument->fNoSmaskGraphicState;
788     if (!noSMaskGS) {
789         SkPDFDict tmp("ExtGState");
790         tmp.insertName("SMask", "None");
791         noSMaskGS = fDocument->emit(tmp);
792     }
793     this->setGraphicState(noSMaskGS, contentStream);
794 }
795 
internalDrawPath(const SkClipStack & clipStack,const SkMatrix & ctm,const SkPath & origPath,const SkPaint & srcPaint,bool pathIsMutable)796 void SkPDFDevice::internalDrawPath(const SkClipStack& clipStack,
797                                    const SkMatrix& ctm,
798                                    const SkPath& origPath,
799                                    const SkPaint& srcPaint,
800                                    bool pathIsMutable) {
801     if (clipStack.isEmpty(this->bounds())) {
802         return;
803     }
804     SkPaint paint = srcPaint;
805     remove_color_filter(&paint);
806     replace_srcmode_on_opaque_paint(&paint);
807     SkPath modifiedPath;
808     SkPath* pathPtr = const_cast<SkPath*>(&origPath);
809 
810     if (paint.getMaskFilter()) {
811         this->internalDrawPathWithFilter(clipStack, ctm, origPath, paint);
812         return;
813     }
814 
815     SkMatrix matrix = ctm;
816 
817     if (paint.getPathEffect()) {
818         if (clipStack.isEmpty(this->bounds())) {
819             return;
820         }
821         if (!pathIsMutable) {
822             modifiedPath = origPath;
823             pathPtr = &modifiedPath;
824             pathIsMutable = true;
825         }
826         if (paint.getFillPath(*pathPtr, pathPtr)) {
827             paint.setStyle(SkPaint::kFill_Style);
828         } else {
829             paint.setStyle(SkPaint::kStroke_Style);
830             paint.setStrokeWidth(0);
831         }
832         paint.setPathEffect(nullptr);
833     }
834 
835     if (this->handleInversePath(*pathPtr, paint, pathIsMutable)) {
836         return;
837     }
838     if (matrix.getType() & SkMatrix::kPerspective_Mask) {
839         if (!pathIsMutable) {
840             modifiedPath = origPath;
841             pathPtr = &modifiedPath;
842             pathIsMutable = true;
843         }
844         pathPtr->transform(matrix);
845         if (paint.getShader()) {
846             transform_shader(&paint, matrix);
847         }
848         matrix = SkMatrix::I();
849     }
850 
851     ScopedContentEntry content(this, &clipStack, matrix, paint);
852     if (!content) {
853         return;
854     }
855     constexpr SkScalar kToleranceScale = 0.0625f;  // smaller = better conics (circles).
856     SkScalar matrixScale = matrix.mapRadius(1.0f);
857     SkScalar tolerance = matrixScale > 0.0f ? kToleranceScale / matrixScale : kToleranceScale;
858     bool consumeDegeratePathSegments =
859            paint.getStyle() == SkPaint::kFill_Style ||
860            (paint.getStrokeCap() != SkPaint::kRound_Cap &&
861             paint.getStrokeCap() != SkPaint::kSquare_Cap);
862     SkPDFUtils::EmitPath(*pathPtr, paint.getStyle(), consumeDegeratePathSegments, content.stream(),
863                          tolerance);
864     SkPDFUtils::PaintPath(paint.getStyle(), pathPtr->getFillType(), content.stream());
865 }
866 
867 ////////////////////////////////////////////////////////////////////////////////
868 
drawImageRect(const SkImage * image,const SkRect * src,const SkRect & dst,const SkPaint & paint,SkCanvas::SrcRectConstraint)869 void SkPDFDevice::drawImageRect(const SkImage* image,
870                                 const SkRect* src,
871                                 const SkRect& dst,
872                                 const SkPaint& paint,
873                                 SkCanvas::SrcRectConstraint) {
874     SkASSERT(image);
875     this->internalDrawImageRect(SkKeyedImage(sk_ref_sp(const_cast<SkImage*>(image))),
876                                 src, dst, paint, this->ctm());
877 }
878 
drawBitmapRect(const SkBitmap & bm,const SkRect * src,const SkRect & dst,const SkPaint & paint,SkCanvas::SrcRectConstraint)879 void SkPDFDevice::drawBitmapRect(const SkBitmap& bm,
880                                  const SkRect* src,
881                                  const SkRect& dst,
882                                  const SkPaint& paint,
883                                  SkCanvas::SrcRectConstraint) {
884     SkASSERT(!bm.drawsNothing());
885     this->internalDrawImageRect(SkKeyedImage(bm), src, dst, paint, this->ctm());
886 }
887 
drawSprite(const SkBitmap & bm,int x,int y,const SkPaint & paint)888 void SkPDFDevice::drawSprite(const SkBitmap& bm, int x, int y, const SkPaint& paint) {
889     SkASSERT(!bm.drawsNothing());
890     auto r = SkRect::MakeXYWH(x, y, bm.width(), bm.height());
891     this->internalDrawImageRect(SkKeyedImage(bm), nullptr, r, paint, SkMatrix::I());
892 }
893 
894 ////////////////////////////////////////////////////////////////////////////////
895 
896 namespace {
897 class GlyphPositioner {
898 public:
GlyphPositioner(SkDynamicMemoryWStream * content,SkScalar textSkewX,SkPoint origin)899     GlyphPositioner(SkDynamicMemoryWStream* content,
900                     SkScalar textSkewX,
901                     SkPoint origin)
902         : fContent(content)
903         , fCurrentMatrixOrigin(origin)
904         , fTextSkewX(textSkewX) {
905     }
~GlyphPositioner()906     ~GlyphPositioner() { this->flush(); }
flush()907     void flush() {
908         if (fInText) {
909             fContent->writeText("> Tj\n");
910             fInText = false;
911         }
912     }
setWideChars(bool wide)913     void setWideChars(bool wide) {
914         this->flush();
915         fWideChars = wide;
916     }
writeGlyph(SkPoint xy,SkScalar advanceWidth,uint16_t glyph)917     void writeGlyph(SkPoint xy,
918                     SkScalar advanceWidth,
919                     uint16_t glyph) {
920         if (!fInitialized) {
921             // Flip the text about the x-axis to account for origin swap and include
922             // the passed parameters.
923             fContent->writeText("1 0 ");
924             SkPDFUtils::AppendScalar(-fTextSkewX, fContent);
925             fContent->writeText(" -1 ");
926             SkPDFUtils::AppendScalar(fCurrentMatrixOrigin.x(), fContent);
927             fContent->writeText(" ");
928             SkPDFUtils::AppendScalar(fCurrentMatrixOrigin.y(), fContent);
929             fContent->writeText(" Tm\n");
930             fCurrentMatrixOrigin.set(0.0f, 0.0f);
931             fInitialized = true;
932         }
933         SkPoint position = xy - fCurrentMatrixOrigin;
934         if (position != SkPoint{fXAdvance, 0}) {
935             this->flush();
936             SkPDFUtils::AppendScalar(position.x() - position.y() * fTextSkewX, fContent);
937             fContent->writeText(" ");
938             SkPDFUtils::AppendScalar(-position.y(), fContent);
939             fContent->writeText(" Td ");
940             fCurrentMatrixOrigin = xy;
941             fXAdvance = 0;
942         }
943         fXAdvance += advanceWidth;
944         if (!fInText) {
945             fContent->writeText("<");
946             fInText = true;
947         }
948         if (fWideChars) {
949             SkPDFUtils::WriteUInt16BE(fContent, glyph);
950         } else {
951             SkASSERT(0 == glyph >> 8);
952             SkPDFUtils::WriteUInt8(fContent, static_cast<uint8_t>(glyph));
953         }
954     }
955 
956 private:
957     SkDynamicMemoryWStream* fContent;
958     SkPoint fCurrentMatrixOrigin;
959     SkScalar fXAdvance = 0.0f;
960     SkScalar fTextSkewX;
961     bool fWideChars = true;
962     bool fInText = false;
963     bool fInitialized = false;
964 };
965 }  // namespace
966 
map_glyph(const std::vector<SkUnichar> & glyphToUnicode,SkGlyphID glyph)967 static SkUnichar map_glyph(const std::vector<SkUnichar>& glyphToUnicode, SkGlyphID glyph) {
968     return glyph < glyphToUnicode.size() ? glyphToUnicode[SkToInt(glyph)] : -1;
969 }
970 
971 namespace {
972 struct PositionedGlyph {
973     SkPoint fPos;
974     SkGlyphID fGlyph;
975 };
976 }
977 
get_glyph_bounds_device_space(SkGlyphID gid,SkStrike * cache,SkScalar xScale,SkScalar yScale,SkPoint xy,const SkMatrix & ctm)978 static SkRect get_glyph_bounds_device_space(SkGlyphID gid, SkStrike* cache,
979                                             SkScalar xScale, SkScalar yScale,
980                                             SkPoint xy, const SkMatrix& ctm) {
981     const SkGlyph& glyph = cache->getGlyphIDMetrics(gid);
982     SkRect glyphBounds = {glyph.fLeft * xScale,
983                           glyph.fTop * yScale,
984                           (glyph.fLeft + glyph.fWidth) * xScale,
985                           (glyph.fTop + glyph.fHeight) * yScale};
986     glyphBounds.offset(xy);
987     ctm.mapRect(&glyphBounds); // now in dev space.
988     return glyphBounds;
989 }
990 
contains(const SkRect & r,SkPoint p)991 static bool contains(const SkRect& r, SkPoint p) {
992    return r.left() <= p.x() && p.x() <= r.right() &&
993           r.top()  <= p.y() && p.y() <= r.bottom();
994 }
995 
drawGlyphRunAsPath(const SkGlyphRun & glyphRun,SkPoint offset,const SkPaint & runPaint)996 void SkPDFDevice::drawGlyphRunAsPath(
997         const SkGlyphRun& glyphRun, SkPoint offset, const SkPaint& runPaint) {
998     const SkFont& font = glyphRun.font();
999     SkPath path;
1000 
1001     struct Rec {
1002         SkPath* fPath;
1003         SkPoint fOffset;
1004         const SkPoint* fPos;
1005     } rec = {&path, offset, glyphRun.positions().data()};
1006 
1007     font.getPaths(glyphRun.glyphsIDs().data(), glyphRun.glyphsIDs().size(),
1008                   [](const SkPath* path, const SkMatrix& mx, void* ctx) {
1009                       Rec* rec = reinterpret_cast<Rec*>(ctx);
1010                       if (path) {
1011                           SkMatrix total = mx;
1012                           total.postTranslate(rec->fPos->fX + rec->fOffset.fX,
1013                                               rec->fPos->fY + rec->fOffset.fY);
1014                           rec->fPath->addPath(*path, total);
1015                       }
1016                       rec->fPos += 1; // move to the next glyph's position
1017                   }, &rec);
1018     this->drawPath(path, runPaint, true);
1019 
1020     SkFont transparentFont = glyphRun.font();
1021     transparentFont.setEmbolden(false); // Stop Recursion
1022     SkGlyphRun tmpGlyphRun(glyphRun, transparentFont);
1023 
1024     SkPaint transparent;
1025     transparent.setColor(SK_ColorTRANSPARENT);
1026 
1027     if (this->ctm().hasPerspective()) {
1028         SkMatrix prevCTM = this->ctm();
1029         this->setCTM(SkMatrix::I());
1030         this->internalDrawGlyphRun(tmpGlyphRun, offset, transparent);
1031         this->setCTM(prevCTM);
1032     } else {
1033         this->internalDrawGlyphRun(tmpGlyphRun, offset, transparent);
1034     }
1035 }
1036 
needs_new_font(SkPDFFont * font,SkGlyphID gid,SkStrike * cache,SkAdvancedTypefaceMetrics::FontType fontType)1037 static bool needs_new_font(SkPDFFont* font, SkGlyphID gid, SkStrike* cache,
1038                            SkAdvancedTypefaceMetrics::FontType fontType) {
1039     if (!font || !font->hasGlyph(gid)) {
1040         return true;
1041     }
1042     if (fontType == SkAdvancedTypefaceMetrics::kOther_Font) {
1043         return false;
1044     }
1045     const SkGlyph& glyph = cache->getGlyphIDMetrics(gid);
1046     if (glyph.isEmpty()) {
1047         return false;
1048     }
1049 
1050     bool bitmapOnly = nullptr == cache->findPath(glyph);
1051     bool convertedToType3 = (font->getType() == SkAdvancedTypefaceMetrics::kOther_Font);
1052     return convertedToType3 != bitmapOnly;
1053 }
1054 
internalDrawGlyphRun(const SkGlyphRun & glyphRun,SkPoint offset,const SkPaint & runPaint)1055 void SkPDFDevice::internalDrawGlyphRun(
1056         const SkGlyphRun& glyphRun, SkPoint offset, const SkPaint& runPaint) {
1057 
1058     const SkGlyphID* glyphs = glyphRun.glyphsIDs().data();
1059     uint32_t glyphCount = SkToU32(glyphRun.glyphsIDs().size());
1060     const SkFont& glyphRunFont = glyphRun.font();
1061 
1062     if (!glyphCount || !glyphs || glyphRunFont.getSize() <= 0 || this->hasEmptyClip()) {
1063         return;
1064     }
1065     if (runPaint.getPathEffect()
1066         || runPaint.getMaskFilter()
1067         || glyphRunFont.isEmbolden()
1068         || this->ctm().hasPerspective()
1069         || SkPaint::kFill_Style != runPaint.getStyle()) {
1070         // Stroked Text doesn't work well with Type3 fonts.
1071         this->drawGlyphRunAsPath(glyphRun, offset, runPaint);
1072         return;
1073     }
1074     SkTypeface* typeface = glyphRunFont.getTypefaceOrDefault();
1075     if (!typeface) {
1076         SkDebugf("SkPDF: SkTypeface::MakeDefault() returned nullptr.\n");
1077         return;
1078     }
1079 
1080     const SkAdvancedTypefaceMetrics* metrics = SkPDFFont::GetMetrics(typeface, fDocument);
1081     if (!metrics) {
1082         return;
1083     }
1084     SkAdvancedTypefaceMetrics::FontType fontType = SkPDFFont::FontType(*metrics);
1085 
1086     const std::vector<SkUnichar>& glyphToUnicode = SkPDFFont::GetUnicodeMap(typeface, fDocument);
1087 
1088     SkClusterator clusterator(glyphRun);
1089 
1090     int emSize;
1091     auto glyphCache = SkPDFFont::MakeVectorCache(typeface, &emSize);
1092 
1093     SkScalar textSize = glyphRunFont.getSize();
1094     SkScalar advanceScale = textSize * glyphRunFont.getScaleX() / emSize;
1095 
1096     // textScaleX and textScaleY are used to get a conservative bounding box for glyphs.
1097     SkScalar textScaleY = textSize / emSize;
1098     SkScalar textScaleX = advanceScale + glyphRunFont.getSkewX() * textScaleY;
1099 
1100     SkRect clipStackBounds = this->cs().bounds(this->bounds());
1101 
1102     SkPaint paint(runPaint);
1103     remove_color_filter(&paint);
1104     replace_srcmode_on_opaque_paint(&paint);
1105     ScopedContentEntry content(this, paint, glyphRunFont.getScaleX());
1106     if (!content) {
1107         return;
1108     }
1109     SkDynamicMemoryWStream* out = content.stream();
1110 
1111     out->writeText("BT\n");
1112 
1113     int markId = -1;
1114     if (fNodeId) {
1115         markId = fDocument->getMarkIdForNodeId(fNodeId);
1116     }
1117 
1118     if (markId != -1) {
1119         out->writeText("/P <</MCID ");
1120         out->writeDecAsText(markId);
1121         out->writeText(" >>BDC\n");
1122     }
1123     SK_AT_SCOPE_EXIT(if (markId != -1) out->writeText("EMC\n"));
1124 
1125     SK_AT_SCOPE_EXIT(out->writeText("ET\n"));
1126 
1127     const SkGlyphID maxGlyphID = SkToU16(typeface->countGlyphs() - 1);
1128 
1129     if (clusterator.reversedChars()) {
1130         out->writeText("/ReversedChars BMC\n");
1131     }
1132     SK_AT_SCOPE_EXIT(if (clusterator.reversedChars()) { out->writeText("EMC\n"); } );
1133     GlyphPositioner glyphPositioner(out, glyphRunFont.getSkewX(), offset);
1134     SkPDFFont* font = nullptr;
1135 
1136     while (SkClusterator::Cluster c = clusterator.next()) {
1137         int index = c.fGlyphIndex;
1138         int glyphLimit = index + c.fGlyphCount;
1139 
1140         bool actualText = false;
1141         SK_AT_SCOPE_EXIT(if (actualText) {
1142                              glyphPositioner.flush();
1143                              out->writeText("EMC\n");
1144                          });
1145         if (c.fUtf8Text) {  // real cluster
1146             // Check if `/ActualText` needed.
1147             const char* textPtr = c.fUtf8Text;
1148             const char* textEnd = c.fUtf8Text + c.fTextByteLength;
1149             SkUnichar unichar = SkUTF::NextUTF8(&textPtr, textEnd);
1150             if (unichar < 0) {
1151                 return;
1152             }
1153             if (textPtr < textEnd ||                                  // more characters left
1154                 glyphLimit > index + 1 ||                             // toUnicode wouldn't work
1155                 unichar != map_glyph(glyphToUnicode, glyphs[index]))  // test single Unichar map
1156             {
1157                 glyphPositioner.flush();
1158                 out->writeText("/Span<</ActualText <");
1159                 SkPDFUtils::WriteUTF16beHex(out, 0xFEFF);  // U+FEFF = BYTE ORDER MARK
1160                 // the BOM marks this text as UTF-16BE, not PDFDocEncoding.
1161                 SkPDFUtils::WriteUTF16beHex(out, unichar);  // first char
1162                 while (textPtr < textEnd) {
1163                     unichar = SkUTF::NextUTF8(&textPtr, textEnd);
1164                     if (unichar < 0) {
1165                         break;
1166                     }
1167                     SkPDFUtils::WriteUTF16beHex(out, unichar);
1168                 }
1169                 out->writeText("> >> BDC\n");  // begin marked-content sequence
1170                                                // with an associated property list.
1171                 actualText = true;
1172             }
1173         }
1174         for (; index < glyphLimit; ++index) {
1175             SkGlyphID gid = glyphs[index];
1176             if (gid > maxGlyphID) {
1177                 continue;
1178             }
1179             SkPoint xy = glyphRun.positions()[index];
1180             // Do a glyph-by-glyph bounds-reject if positions are absolute.
1181             SkRect glyphBounds = get_glyph_bounds_device_space(
1182                     gid, glyphCache.get(), textScaleX, textScaleY,
1183                     xy + offset, this->ctm());
1184             if (glyphBounds.isEmpty()) {
1185                 if (!contains(clipStackBounds, {glyphBounds.x(), glyphBounds.y()})) {
1186                     continue;
1187                 }
1188             } else {
1189                 if (!clipStackBounds.intersects(glyphBounds)) {
1190                     continue;  // reject glyphs as out of bounds
1191                 }
1192             }
1193             if (needs_new_font(font, gid, glyphCache.get(), fontType)) {
1194                 // Not yet specified font or need to switch font.
1195                 font = SkPDFFont::GetFontResource(fDocument, glyphCache.get(), typeface, gid);
1196                 SkASSERT(font);  // All preconditions for SkPDFFont::GetFontResource are met.
1197                 glyphPositioner.flush();
1198                 glyphPositioner.setWideChars(font->multiByteGlyphs());
1199                 SkPDFWriteResourceName(out, SkPDFResourceType::kFont,
1200                                        add_resource(fFontResources, font->indirectReference()));
1201                 out->writeText(" ");
1202                 SkPDFUtils::AppendScalar(textSize, out);
1203                 out->writeText(" Tf\n");
1204 
1205             }
1206             font->noteGlyphUsage(gid);
1207             SkGlyphID encodedGlyph = font->multiByteGlyphs()
1208                                    ? gid : font->glyphToPDFFontEncoding(gid);
1209             SkScalar advance = advanceScale * glyphCache->getGlyphIDAdvance(gid).fAdvanceX;
1210             glyphPositioner.writeGlyph(xy, advance, encodedGlyph);
1211         }
1212     }
1213 }
1214 
drawGlyphRunList(const SkGlyphRunList & glyphRunList)1215 void SkPDFDevice::drawGlyphRunList(const SkGlyphRunList& glyphRunList) {
1216     for (const SkGlyphRun& glyphRun : glyphRunList) {
1217         this->internalDrawGlyphRun(glyphRun, glyphRunList.origin(), glyphRunList.paint());
1218     }
1219 }
1220 
drawVertices(const SkVertices *,const SkVertices::Bone[],int,SkBlendMode,const SkPaint &)1221 void SkPDFDevice::drawVertices(const SkVertices*, const SkVertices::Bone[], int, SkBlendMode,
1222                                const SkPaint&) {
1223     if (this->hasEmptyClip()) {
1224         return;
1225     }
1226     // TODO: implement drawVertices
1227 }
1228 
drawFormXObject(SkPDFIndirectReference xObject,SkDynamicMemoryWStream * content)1229 void SkPDFDevice::drawFormXObject(SkPDFIndirectReference xObject, SkDynamicMemoryWStream* content) {
1230     SkASSERT(xObject);
1231     SkPDFWriteResourceName(content, SkPDFResourceType::kXObject,
1232                            add_resource(fXObjectResources, xObject));
1233     content->writeText(" Do\n");
1234 }
1235 
drawDevice(SkBaseDevice * device,int x,int y,const SkPaint & paint)1236 void SkPDFDevice::drawDevice(SkBaseDevice* device, int x, int y, const SkPaint& paint) {
1237     SkASSERT(!paint.getImageFilter());
1238 
1239     // Check if the source device is really a bitmapdevice (because that's what we returned
1240     // from createDevice (likely due to an imagefilter)
1241     SkPixmap pmap;
1242     if (device->peekPixels(&pmap)) {
1243         SkBitmap bitmap;
1244         bitmap.installPixels(pmap);
1245         this->drawSprite(bitmap, x, y, paint);
1246         return;
1247     }
1248 
1249     // our onCreateCompatibleDevice() always creates SkPDFDevice subclasses.
1250     SkPDFDevice* pdfDevice = static_cast<SkPDFDevice*>(device);
1251 
1252     SkScalar scalarX = SkIntToScalar(x);
1253     SkScalar scalarY = SkIntToScalar(y);
1254     for (const RectWithData& l : pdfDevice->fLinkToURLs) {
1255         SkRect r = l.rect.makeOffset(scalarX, scalarY);
1256         fLinkToURLs.emplace_back(RectWithData{r, l.data});
1257     }
1258     for (const RectWithData& l : pdfDevice->fLinkToDestinations) {
1259         SkRect r = l.rect.makeOffset(scalarX, scalarY);
1260         fLinkToDestinations.emplace_back(RectWithData{r, l.data});
1261     }
1262     for (const NamedDestination& d : pdfDevice->fNamedDestinations) {
1263         SkPoint p = d.point + SkPoint::Make(scalarX, scalarY);
1264         fNamedDestinations.emplace_back(NamedDestination{d.nameData, p});
1265     }
1266 
1267     if (pdfDevice->isContentEmpty()) {
1268         return;
1269     }
1270 
1271     SkMatrix matrix = SkMatrix::MakeTrans(SkIntToScalar(x), SkIntToScalar(y));
1272     ScopedContentEntry content(this, &this->cs(), matrix, paint);
1273     if (!content) {
1274         return;
1275     }
1276     if (content.needShape()) {
1277         SkISize dim = device->imageInfo().dimensions();
1278         content.setShape(to_path(SkRect::Make(SkIRect::MakeXYWH(x, y, dim.width(), dim.height()))));
1279     }
1280     if (!content.needSource()) {
1281         return;
1282     }
1283     this->drawFormXObject(pdfDevice->makeFormXObjectFromDevice(), content.stream());
1284 }
1285 
makeSurface(const SkImageInfo & info,const SkSurfaceProps & props)1286 sk_sp<SkSurface> SkPDFDevice::makeSurface(const SkImageInfo& info, const SkSurfaceProps& props) {
1287     return SkSurface::MakeRaster(info, &props);
1288 }
1289 
sort(const SkTHashSet<SkPDFIndirectReference> & src)1290 static std::vector<SkPDFIndirectReference> sort(const SkTHashSet<SkPDFIndirectReference>& src) {
1291     std::vector<SkPDFIndirectReference> dst;
1292     dst.reserve(src.count());
1293     src.foreach([&dst](SkPDFIndirectReference ref) { dst.push_back(ref); } );
1294     std::sort(dst.begin(), dst.end(),
1295             [](SkPDFIndirectReference a, SkPDFIndirectReference b) { return a.fValue < b.fValue; });
1296     return dst;
1297 }
1298 
makeResourceDict()1299 std::unique_ptr<SkPDFDict> SkPDFDevice::makeResourceDict() {
1300     return SkPDFMakeResourceDict(sort(fGraphicStateResources),
1301                                  sort(fShaderResources),
1302                                  sort(fXObjectResources),
1303                                  sort(fFontResources));
1304 }
1305 
content()1306 std::unique_ptr<SkStreamAsset> SkPDFDevice::content() {
1307     if (fActiveStackState.fContentStream) {
1308         fActiveStackState.drainStack();
1309         fActiveStackState = GraphicStackState();
1310     }
1311     if (fContent.bytesWritten() == 0) {
1312         return skstd::make_unique<SkMemoryStream>();
1313     }
1314     SkDynamicMemoryWStream buffer;
1315     if (fInitialTransform.getType() != SkMatrix::kIdentity_Mask) {
1316         append_transform(fInitialTransform, &buffer);
1317     }
1318     if (fNeedsExtraSave) {
1319         buffer.writeText("q\n");
1320     }
1321     fContent.writeToAndReset(&buffer);
1322     if (fNeedsExtraSave) {
1323         buffer.writeText("Q\n");
1324     }
1325     fNeedsExtraSave = false;
1326     return std::unique_ptr<SkStreamAsset>(buffer.detachAsStream());
1327 }
1328 
1329 /* Draws an inverse filled path by using Path Ops to compute the positive
1330  * inverse using the current clip as the inverse bounds.
1331  * Return true if this was an inverse path and was properly handled,
1332  * otherwise returns false and the normal drawing routine should continue,
1333  * either as a (incorrect) fallback or because the path was not inverse
1334  * in the first place.
1335  */
handleInversePath(const SkPath & origPath,const SkPaint & paint,bool pathIsMutable)1336 bool SkPDFDevice::handleInversePath(const SkPath& origPath,
1337                                     const SkPaint& paint,
1338                                     bool pathIsMutable) {
1339     if (!origPath.isInverseFillType()) {
1340         return false;
1341     }
1342 
1343     if (this->hasEmptyClip()) {
1344         return false;
1345     }
1346 
1347     SkPath modifiedPath;
1348     SkPath* pathPtr = const_cast<SkPath*>(&origPath);
1349     SkPaint noInversePaint(paint);
1350 
1351     // Merge stroking operations into final path.
1352     if (SkPaint::kStroke_Style == paint.getStyle() ||
1353         SkPaint::kStrokeAndFill_Style == paint.getStyle()) {
1354         bool doFillPath = paint.getFillPath(origPath, &modifiedPath);
1355         if (doFillPath) {
1356             noInversePaint.setStyle(SkPaint::kFill_Style);
1357             noInversePaint.setStrokeWidth(0);
1358             pathPtr = &modifiedPath;
1359         } else {
1360             // To be consistent with the raster output, hairline strokes
1361             // are rendered as non-inverted.
1362             modifiedPath.toggleInverseFillType();
1363             this->drawPath(modifiedPath, paint, true);
1364             return true;
1365         }
1366     }
1367 
1368     // Get bounds of clip in current transform space
1369     // (clip bounds are given in device space).
1370     SkMatrix transformInverse;
1371     SkMatrix totalMatrix = this->ctm();
1372 
1373     if (!totalMatrix.invert(&transformInverse)) {
1374         return false;
1375     }
1376     SkRect bounds = this->cs().bounds(this->bounds());
1377     transformInverse.mapRect(&bounds);
1378 
1379     // Extend the bounds by the line width (plus some padding)
1380     // so the edge doesn't cause a visible stroke.
1381     bounds.outset(paint.getStrokeWidth() + SK_Scalar1,
1382                   paint.getStrokeWidth() + SK_Scalar1);
1383 
1384     if (!calculate_inverse_path(bounds, *pathPtr, &modifiedPath)) {
1385         return false;
1386     }
1387 
1388     this->drawPath(modifiedPath, noInversePaint, true);
1389     return true;
1390 }
1391 
getAnnotations()1392 std::unique_ptr<SkPDFArray> SkPDFDevice::getAnnotations() {
1393     std::unique_ptr<SkPDFArray> array;
1394     size_t count = fLinkToURLs.size() + fLinkToDestinations.size();
1395     if (0 == count) {
1396         return array;
1397     }
1398     array = SkPDFMakeArray();
1399     array->reserve(count);
1400     for (const RectWithData& rectWithURL : fLinkToURLs) {
1401         SkRect r;
1402         fInitialTransform.mapRect(&r, rectWithURL.rect);
1403         array->appendRef(fDocument->emit(*create_link_to_url(rectWithURL.data.get(), r)));
1404     }
1405     for (const RectWithData& linkToDestination : fLinkToDestinations) {
1406         SkRect r;
1407         fInitialTransform.mapRect(&r, linkToDestination.rect);
1408         array->appendRef(
1409                 fDocument->emit(*create_link_named_dest(linkToDestination.data.get(), r)));
1410     }
1411     return array;
1412 }
1413 
appendDestinations(SkPDFDict * dict,SkPDFIndirectReference page) const1414 void SkPDFDevice::appendDestinations(SkPDFDict* dict, SkPDFIndirectReference page) const {
1415     for (const NamedDestination& dest : fNamedDestinations) {
1416         SkPoint p = fInitialTransform.mapXY(dest.point.x(), dest.point.y());
1417         auto pdfDest = SkPDFMakeArray();
1418         pdfDest->reserve(5);
1419         pdfDest->appendRef(page);
1420         pdfDest->appendName("XYZ");
1421         pdfDest->appendScalar(p.x());
1422         pdfDest->appendScalar(p.y());
1423         pdfDest->appendInt(0);  // Leave zoom unchanged
1424         dict->insertObject(SkString(static_cast<const char*>(dest.nameData->data())),
1425                            std::move(pdfDest));
1426     }
1427 }
1428 
makeFormXObjectFromDevice(bool alpha)1429 SkPDFIndirectReference SkPDFDevice::makeFormXObjectFromDevice(bool alpha) {
1430     SkMatrix inverseTransform = SkMatrix::I();
1431     if (!fInitialTransform.isIdentity()) {
1432         if (!fInitialTransform.invert(&inverseTransform)) {
1433             SkDEBUGFAIL("Layer initial transform should be invertible.");
1434             inverseTransform.reset();
1435         }
1436     }
1437     const char* colorSpace = alpha ? "DeviceGray" : nullptr;
1438 
1439     SkPDFIndirectReference xobject =
1440         SkPDFMakeFormXObject(fDocument, this->content(),
1441                              SkPDFMakeArray(0, 0, this->width(), this->height()),
1442                              this->makeResourceDict(), inverseTransform, colorSpace);
1443     // We always draw the form xobjects that we create back into the device, so
1444     // we simply preserve the font usage instead of pulling it out and merging
1445     // it back in later.
1446     this->reset();
1447     return xobject;
1448 }
1449 
drawFormXObjectWithMask(SkPDFIndirectReference xObject,SkPDFIndirectReference sMask,SkBlendMode mode,bool invertClip)1450 void SkPDFDevice::drawFormXObjectWithMask(SkPDFIndirectReference xObject,
1451                                           SkPDFIndirectReference sMask,
1452                                           SkBlendMode mode,
1453                                           bool invertClip) {
1454     SkASSERT(sMask);
1455     SkPaint paint;
1456     paint.setBlendMode(mode);
1457     ScopedContentEntry content(this, nullptr, SkMatrix::I(), paint);
1458     if (!content) {
1459         return;
1460     }
1461     this->setGraphicState(SkPDFGraphicState::GetSMaskGraphicState(
1462             sMask, invertClip, SkPDFGraphicState::kAlpha_SMaskMode,
1463             fDocument), content.stream());
1464     this->drawFormXObject(xObject, content.stream());
1465     this->clearMaskOnGraphicState(content.stream());
1466 }
1467 
1468 
treat_as_regular_pdf_blend_mode(SkBlendMode blendMode)1469 static bool treat_as_regular_pdf_blend_mode(SkBlendMode blendMode) {
1470     return nullptr != SkPDFUtils::BlendModeName(blendMode);
1471 }
1472 
populate_graphic_state_entry_from_paint(SkPDFDocument * doc,const SkMatrix & matrix,const SkClipStack * clipStack,SkIRect deviceBounds,const SkPaint & paint,const SkMatrix & initialTransform,SkScalar textScale,SkPDFDevice::GraphicStateEntry * entry,SkTHashSet<SkPDFIndirectReference> * shaderResources,SkTHashSet<SkPDFIndirectReference> * graphicStateResources)1473 static void populate_graphic_state_entry_from_paint(
1474         SkPDFDocument* doc,
1475         const SkMatrix& matrix,
1476         const SkClipStack* clipStack,
1477         SkIRect deviceBounds,
1478         const SkPaint& paint,
1479         const SkMatrix& initialTransform,
1480         SkScalar textScale,
1481         SkPDFDevice::GraphicStateEntry* entry,
1482         SkTHashSet<SkPDFIndirectReference>* shaderResources,
1483         SkTHashSet<SkPDFIndirectReference>* graphicStateResources) {
1484     NOT_IMPLEMENTED(paint.getPathEffect() != nullptr, false);
1485     NOT_IMPLEMENTED(paint.getMaskFilter() != nullptr, false);
1486     NOT_IMPLEMENTED(paint.getColorFilter() != nullptr, false);
1487 
1488     entry->fMatrix = matrix;
1489     entry->fClipStackGenID = clipStack ? clipStack->getTopmostGenID()
1490                                        : SkClipStack::kWideOpenGenID;
1491     SkColor4f color = paint.getColor4f();
1492     entry->fColor = {color.fR, color.fG, color.fB, 1};
1493     entry->fShaderIndex = -1;
1494 
1495     // PDF treats a shader as a color, so we only set one or the other.
1496     SkShader* shader = paint.getShader();
1497     if (shader) {
1498         if (SkShader::kColor_GradientType == shader->asAGradient(nullptr)) {
1499             // We don't have to set a shader just for a color.
1500             SkShader::GradientInfo gradientInfo;
1501             SkColor gradientColor = SK_ColorBLACK;
1502             gradientInfo.fColors = &gradientColor;
1503             gradientInfo.fColorOffsets = nullptr;
1504             gradientInfo.fColorCount = 1;
1505             SkAssertResult(shader->asAGradient(&gradientInfo) == SkShader::kColor_GradientType);
1506             color = SkColor4f::FromColor(gradientColor);
1507             entry->fColor ={color.fR, color.fG, color.fB, 1};
1508 
1509         } else {
1510             // PDF positions patterns relative to the initial transform, so
1511             // we need to apply the current transform to the shader parameters.
1512             SkMatrix transform = matrix;
1513             transform.postConcat(initialTransform);
1514 
1515             // PDF doesn't support kClamp_TileMode, so we simulate it by making
1516             // a pattern the size of the current clip.
1517             SkRect clipStackBounds = clipStack ? clipStack->bounds(deviceBounds)
1518                                                : SkRect::Make(deviceBounds);
1519 
1520             // We need to apply the initial transform to bounds in order to get
1521             // bounds in a consistent coordinate system.
1522             initialTransform.mapRect(&clipStackBounds);
1523             SkIRect bounds;
1524             clipStackBounds.roundOut(&bounds);
1525 
1526             SkPDFIndirectReference pdfShader
1527                 = SkPDFMakeShader(doc, shader, transform, bounds, paint.getColor());
1528 
1529             if (pdfShader) {
1530                 // pdfShader has been canonicalized so we can directly compare pointers.
1531                 entry->fShaderIndex = add_resource(*shaderResources, pdfShader);
1532             }
1533         }
1534     }
1535 
1536     SkPDFIndirectReference newGraphicState;
1537     if (color == paint.getColor4f()) {
1538         newGraphicState = SkPDFGraphicState::GetGraphicStateForPaint(doc, paint);
1539     } else {
1540         SkPaint newPaint = paint;
1541         newPaint.setColor4f(color, nullptr);
1542         newGraphicState = SkPDFGraphicState::GetGraphicStateForPaint(doc, newPaint);
1543     }
1544     entry->fGraphicStateIndex = add_resource(*graphicStateResources, newGraphicState);
1545     entry->fTextScaleX = textScale;
1546 }
1547 
setUpContentEntry(const SkClipStack * clipStack,const SkMatrix & matrix,const SkPaint & paint,SkScalar textScale,SkPDFIndirectReference * dst)1548 SkDynamicMemoryWStream* SkPDFDevice::setUpContentEntry(const SkClipStack* clipStack,
1549                                                        const SkMatrix& matrix,
1550                                                        const SkPaint& paint,
1551                                                        SkScalar textScale,
1552                                                        SkPDFIndirectReference* dst) {
1553     SkASSERT(!*dst);
1554     SkBlendMode blendMode = paint.getBlendMode();
1555 
1556     // Dst xfer mode doesn't draw source at all.
1557     if (blendMode == SkBlendMode::kDst) {
1558         return nullptr;
1559     }
1560 
1561     // For the following modes, we want to handle source and destination
1562     // separately, so make an object of what's already there.
1563     if (!treat_as_regular_pdf_blend_mode(blendMode) && blendMode != SkBlendMode::kDstOver) {
1564         if (!isContentEmpty()) {
1565             *dst = this->makeFormXObjectFromDevice();
1566             SkASSERT(isContentEmpty());
1567         } else if (blendMode != SkBlendMode::kSrc &&
1568                    blendMode != SkBlendMode::kSrcOut) {
1569             // Except for Src and SrcOut, if there isn't anything already there,
1570             // then we're done.
1571             return nullptr;
1572         }
1573     }
1574     // TODO(vandebo): Figure out how/if we can handle the following modes:
1575     // Xor, Plus.  For now, we treat them as SrcOver/Normal.
1576 
1577     if (treat_as_regular_pdf_blend_mode(blendMode)) {
1578         if (!fActiveStackState.fContentStream) {
1579             if (fContent.bytesWritten() != 0) {
1580                 fContent.writeText("Q\nq\n");
1581                 fNeedsExtraSave = true;
1582             }
1583             fActiveStackState = GraphicStackState(&fContent);
1584         } else {
1585             SkASSERT(fActiveStackState.fContentStream = &fContent);
1586         }
1587     } else {
1588         fActiveStackState.drainStack();
1589         fActiveStackState = GraphicStackState(&fContentBuffer);
1590     }
1591     SkASSERT(fActiveStackState.fContentStream);
1592     GraphicStateEntry entry;
1593     populate_graphic_state_entry_from_paint(
1594             fDocument,
1595             matrix,
1596             clipStack,
1597             this->bounds(),
1598             paint,
1599             fInitialTransform,
1600             textScale,
1601             &entry,
1602             &fShaderResources,
1603             &fGraphicStateResources);
1604     fActiveStackState.updateClip(clipStack, this->bounds());
1605     fActiveStackState.updateMatrix(entry.fMatrix);
1606     fActiveStackState.updateDrawingState(entry);
1607 
1608     return fActiveStackState.fContentStream;
1609 }
1610 
finishContentEntry(const SkClipStack * clipStack,SkBlendMode blendMode,SkPDFIndirectReference dst,SkPath * shape)1611 void SkPDFDevice::finishContentEntry(const SkClipStack* clipStack,
1612                                      SkBlendMode blendMode,
1613                                      SkPDFIndirectReference dst,
1614                                      SkPath* shape) {
1615     SkASSERT(blendMode != SkBlendMode::kDst);
1616     if (treat_as_regular_pdf_blend_mode(blendMode)) {
1617         SkASSERT(!dst);
1618         return;
1619     }
1620 
1621     SkASSERT(fActiveStackState.fContentStream);
1622 
1623     fActiveStackState.drainStack();
1624     fActiveStackState = GraphicStackState();
1625 
1626     if (blendMode == SkBlendMode::kDstOver) {
1627         SkASSERT(!dst);
1628         if (fContentBuffer.bytesWritten() != 0) {
1629             if (fContent.bytesWritten() != 0) {
1630                 fContentBuffer.writeText("Q\nq\n");
1631                 fNeedsExtraSave = true;
1632             }
1633             fContentBuffer.prependToAndReset(&fContent);
1634             SkASSERT(fContentBuffer.bytesWritten() == 0);
1635         }
1636         return;
1637     }
1638     if (fContentBuffer.bytesWritten() != 0) {
1639         if (fContent.bytesWritten() != 0) {
1640             fContent.writeText("Q\nq\n");
1641             fNeedsExtraSave = true;
1642         }
1643         fContentBuffer.writeToAndReset(&fContent);
1644         SkASSERT(fContentBuffer.bytesWritten() == 0);
1645     }
1646 
1647     if (!dst) {
1648         SkASSERT(blendMode == SkBlendMode::kSrc ||
1649                  blendMode == SkBlendMode::kSrcOut);
1650         return;
1651     }
1652 
1653     SkASSERT(dst);
1654     // Changing the current content into a form-xobject will destroy the clip
1655     // objects which is fine since the xobject will already be clipped. However
1656     // if source has shape, we need to clip it too, so a copy of the clip is
1657     // saved.
1658 
1659     SkPaint stockPaint;
1660 
1661     SkPDFIndirectReference srcFormXObject;
1662     if (this->isContentEmpty()) {
1663         // If nothing was drawn and there's no shape, then the draw was a
1664         // no-op, but dst needs to be restored for that to be true.
1665         // If there is shape, then an empty source with Src, SrcIn, SrcOut,
1666         // DstIn, DstAtop or Modulate reduces to Clear and DstOut or SrcAtop
1667         // reduces to Dst.
1668         if (shape == nullptr || blendMode == SkBlendMode::kDstOut ||
1669                 blendMode == SkBlendMode::kSrcATop) {
1670             ScopedContentEntry content(this, nullptr, SkMatrix::I(), stockPaint);
1671             this->drawFormXObject(dst, content.stream());
1672             return;
1673         } else {
1674             blendMode = SkBlendMode::kClear;
1675         }
1676     } else {
1677         srcFormXObject = this->makeFormXObjectFromDevice();
1678     }
1679 
1680     // TODO(vandebo) srcFormXObject may contain alpha, but here we want it
1681     // without alpha.
1682     if (blendMode == SkBlendMode::kSrcATop) {
1683         // TODO(vandebo): In order to properly support SrcATop we have to track
1684         // the shape of what's been drawn at all times. It's the intersection of
1685         // the non-transparent parts of the device and the outlines (shape) of
1686         // all images and devices drawn.
1687         this->drawFormXObjectWithMask(srcFormXObject, dst, SkBlendMode::kSrcOver, true);
1688     } else {
1689         if (shape != nullptr) {
1690             // Draw shape into a form-xobject.
1691             SkPaint filledPaint;
1692             filledPaint.setColor(SK_ColorBLACK);
1693             filledPaint.setStyle(SkPaint::kFill_Style);
1694             SkClipStack empty;
1695             SkPDFDevice shapeDev(this->size(), fDocument, fInitialTransform);
1696             shapeDev.internalDrawPath(clipStack ? *clipStack : empty,
1697                                       SkMatrix::I(), *shape, filledPaint, true);
1698             this->drawFormXObjectWithMask(dst, shapeDev.makeFormXObjectFromDevice(),
1699                                           SkBlendMode::kSrcOver, true);
1700         } else {
1701             this->drawFormXObjectWithMask(dst, srcFormXObject, SkBlendMode::kSrcOver, true);
1702         }
1703     }
1704 
1705     if (blendMode == SkBlendMode::kClear) {
1706         return;
1707     } else if (blendMode == SkBlendMode::kSrc ||
1708             blendMode == SkBlendMode::kDstATop) {
1709         ScopedContentEntry content(this, nullptr, SkMatrix::I(), stockPaint);
1710         if (content) {
1711             this->drawFormXObject(srcFormXObject, content.stream());
1712         }
1713         if (blendMode == SkBlendMode::kSrc) {
1714             return;
1715         }
1716     } else if (blendMode == SkBlendMode::kSrcATop) {
1717         ScopedContentEntry content(this, nullptr, SkMatrix::I(), stockPaint);
1718         if (content) {
1719             this->drawFormXObject(dst, content.stream());
1720         }
1721     }
1722 
1723     SkASSERT(blendMode == SkBlendMode::kSrcIn   ||
1724              blendMode == SkBlendMode::kDstIn   ||
1725              blendMode == SkBlendMode::kSrcOut  ||
1726              blendMode == SkBlendMode::kDstOut  ||
1727              blendMode == SkBlendMode::kSrcATop ||
1728              blendMode == SkBlendMode::kDstATop ||
1729              blendMode == SkBlendMode::kModulate);
1730 
1731     if (blendMode == SkBlendMode::kSrcIn ||
1732             blendMode == SkBlendMode::kSrcOut ||
1733             blendMode == SkBlendMode::kSrcATop) {
1734         this->drawFormXObjectWithMask(srcFormXObject, dst, SkBlendMode::kSrcOver,
1735                                       blendMode == SkBlendMode::kSrcOut);
1736         return;
1737     } else {
1738         SkBlendMode mode = SkBlendMode::kSrcOver;
1739         if (blendMode == SkBlendMode::kModulate) {
1740             this->drawFormXObjectWithMask(srcFormXObject, dst, SkBlendMode::kSrcOver, false);
1741             mode = SkBlendMode::kMultiply;
1742         }
1743         this->drawFormXObjectWithMask(dst, srcFormXObject, mode, blendMode == SkBlendMode::kDstOut);
1744         return;
1745     }
1746 }
1747 
isContentEmpty()1748 bool SkPDFDevice::isContentEmpty() {
1749     return fContent.bytesWritten() == 0 && fContentBuffer.bytesWritten() == 0;
1750 }
1751 
rect_to_size(const SkRect & r)1752 static SkSize rect_to_size(const SkRect& r) { return {r.width(), r.height()}; }
1753 
color_filter(const SkImage * image,SkColorFilter * colorFilter)1754 static sk_sp<SkImage> color_filter(const SkImage* image,
1755                                    SkColorFilter* colorFilter) {
1756     auto surface =
1757         SkSurface::MakeRaster(SkImageInfo::MakeN32Premul(image->dimensions()));
1758     SkASSERT(surface);
1759     SkCanvas* canvas = surface->getCanvas();
1760     canvas->clear(SK_ColorTRANSPARENT);
1761     SkPaint paint;
1762     paint.setColorFilter(sk_ref_sp(colorFilter));
1763     canvas->drawImage(image, 0, 0, &paint);
1764     return surface->makeImageSnapshot();
1765 }
1766 
1767 ////////////////////////////////////////////////////////////////////////////////
1768 
is_integer(SkScalar x)1769 static bool is_integer(SkScalar x) {
1770     return x == SkScalarTruncToScalar(x);
1771 }
1772 
is_integral(const SkRect & r)1773 static bool is_integral(const SkRect& r) {
1774     return is_integer(r.left()) &&
1775            is_integer(r.top()) &&
1776            is_integer(r.right()) &&
1777            is_integer(r.bottom());
1778 }
1779 
internalDrawImageRect(SkKeyedImage imageSubset,const SkRect * src,const SkRect & dst,const SkPaint & srcPaint,const SkMatrix & ctm)1780 void SkPDFDevice::internalDrawImageRect(SkKeyedImage imageSubset,
1781                                         const SkRect* src,
1782                                         const SkRect& dst,
1783                                         const SkPaint& srcPaint,
1784                                         const SkMatrix& ctm) {
1785     if (this->hasEmptyClip()) {
1786         return;
1787     }
1788     if (!imageSubset) {
1789         return;
1790     }
1791 
1792     // First, figure out the src->dst transform and subset the image if needed.
1793     SkIRect bounds = imageSubset.image()->bounds();
1794     SkRect srcRect = src ? *src : SkRect::Make(bounds);
1795     SkMatrix transform;
1796     transform.setRectToRect(srcRect, dst, SkMatrix::kFill_ScaleToFit);
1797     if (src && *src != SkRect::Make(bounds)) {
1798         if (!srcRect.intersect(SkRect::Make(bounds))) {
1799             return;
1800         }
1801         srcRect.roundOut(&bounds);
1802         transform.preTranslate(SkIntToScalar(bounds.x()),
1803                                SkIntToScalar(bounds.y()));
1804         if (bounds != imageSubset.image()->bounds()) {
1805             imageSubset = imageSubset.subset(bounds);
1806         }
1807         if (!imageSubset) {
1808             return;
1809         }
1810     }
1811 
1812     // If the image is opaque and the paint's alpha is too, replace
1813     // kSrc blendmode with kSrcOver.
1814     SkPaint paint = srcPaint;
1815     if (imageSubset.image()->isOpaque()) {
1816         replace_srcmode_on_opaque_paint(&paint);
1817     }
1818 
1819     // Alpha-only images need to get their color from the shader, before
1820     // applying the colorfilter.
1821     if (imageSubset.image()->isAlphaOnly() && paint.getColorFilter()) {
1822         // must blend alpha image and shader before applying colorfilter.
1823         auto surface =
1824             SkSurface::MakeRaster(SkImageInfo::MakeN32Premul(imageSubset.image()->dimensions()));
1825         SkCanvas* canvas = surface->getCanvas();
1826         SkPaint tmpPaint;
1827         // In the case of alpha images with shaders, the shader's coordinate
1828         // system is the image's coordiantes.
1829         tmpPaint.setShader(sk_ref_sp(paint.getShader()));
1830         tmpPaint.setColor4f(paint.getColor4f(), nullptr);
1831         canvas->clear(0x00000000);
1832         canvas->drawImage(imageSubset.image().get(), 0, 0, &tmpPaint);
1833         paint.setShader(nullptr);
1834         imageSubset = SkKeyedImage(surface->makeImageSnapshot());
1835         SkASSERT(!imageSubset.image()->isAlphaOnly());
1836     }
1837 
1838     if (imageSubset.image()->isAlphaOnly()) {
1839         // The ColorFilter applies to the paint color/shader, not the alpha layer.
1840         SkASSERT(nullptr == paint.getColorFilter());
1841 
1842         sk_sp<SkImage> mask = alpha_image_to_greyscale_image(imageSubset.image().get());
1843         if (!mask) {
1844             return;
1845         }
1846         // PDF doesn't seem to allow masking vector graphics with an Image XObject.
1847         // Must mask with a Form XObject.
1848         sk_sp<SkPDFDevice> maskDevice = this->makeCongruentDevice();
1849         {
1850             SkCanvas canvas(maskDevice);
1851             if (paint.getMaskFilter()) {
1852                 // This clip prevents the mask image shader from covering
1853                 // entire device if unnecessary.
1854                 canvas.clipRect(this->cs().bounds(this->bounds()));
1855                 canvas.concat(ctm);
1856                 SkPaint tmpPaint;
1857                 tmpPaint.setShader(mask->makeShader(&transform));
1858                 tmpPaint.setMaskFilter(sk_ref_sp(paint.getMaskFilter()));
1859                 canvas.drawRect(dst, tmpPaint);
1860             } else {
1861                 canvas.concat(ctm);
1862                 if (src && !is_integral(*src)) {
1863                     canvas.clipRect(dst);
1864                 }
1865                 canvas.concat(transform);
1866                 canvas.drawImage(mask, 0, 0);
1867             }
1868         }
1869         if (!ctm.isIdentity() && paint.getShader()) {
1870             transform_shader(&paint, ctm); // Since we are using identity matrix.
1871         }
1872         ScopedContentEntry content(this, &this->cs(), SkMatrix::I(), paint);
1873         if (!content) {
1874             return;
1875         }
1876         this->addSMaskGraphicState(std::move(maskDevice), content.stream());
1877         SkPDFUtils::AppendRectangle(SkRect::Make(this->size()), content.stream());
1878         SkPDFUtils::PaintPath(SkPaint::kFill_Style, SkPath::kWinding_FillType, content.stream());
1879         this->clearMaskOnGraphicState(content.stream());
1880         return;
1881     }
1882     if (paint.getMaskFilter()) {
1883         paint.setShader(imageSubset.image()->makeShader(&transform));
1884         SkPath path = to_path(dst); // handles non-integral clipping.
1885         this->internalDrawPath(this->cs(), this->ctm(), path, paint, true);
1886         return;
1887     }
1888     transform.postConcat(ctm);
1889 
1890     bool needToRestore = false;
1891     if (src && !is_integral(*src)) {
1892         // Need sub-pixel clipping to fix https://bug.skia.org/4374
1893         this->cs().save();
1894         this->cs().clipRect(dst, ctm, SkClipOp::kIntersect, true);
1895         needToRestore = true;
1896     }
1897     SK_AT_SCOPE_EXIT(if (needToRestore) { this->cs().restore(); });
1898 
1899     SkMatrix matrix = transform;
1900 
1901     // Rasterize the bitmap using perspective in a new bitmap.
1902     if (transform.hasPerspective()) {
1903         // Transform the bitmap in the new space, without taking into
1904         // account the initial transform.
1905         SkRect imageBounds = SkRect::Make(imageSubset.image()->bounds());
1906         SkPath perspectiveOutline = to_path(imageBounds);
1907         perspectiveOutline.transform(transform);
1908 
1909         // TODO(edisonn): perf - use current clip too.
1910         // Retrieve the bounds of the new shape.
1911         SkRect bounds = perspectiveOutline.getBounds();
1912 
1913         // Transform the bitmap in the new space, taking into
1914         // account the initial transform.
1915         SkMatrix total = transform;
1916         total.postConcat(fInitialTransform);
1917 
1918         SkPath physicalPerspectiveOutline = to_path(imageBounds);
1919         physicalPerspectiveOutline.transform(total);
1920 
1921         SkRect physicalPerspectiveBounds =
1922                 physicalPerspectiveOutline.getBounds();
1923         SkScalar scaleX = physicalPerspectiveBounds.width() / bounds.width();
1924         SkScalar scaleY = physicalPerspectiveBounds.height() / bounds.height();
1925 
1926         // TODO(edisonn): A better approach would be to use a bitmap shader
1927         // (in clamp mode) and draw a rect over the entire bounding box. Then
1928         // intersect perspectiveOutline to the clip. That will avoid introducing
1929         // alpha to the image while still giving good behavior at the edge of
1930         // the image.  Avoiding alpha will reduce the pdf size and generation
1931         // CPU time some.
1932 
1933         SkISize wh = rect_to_size(physicalPerspectiveBounds).toCeil();
1934 
1935         auto surface = SkSurface::MakeRaster(SkImageInfo::MakeN32Premul(wh));
1936         if (!surface) {
1937             return;
1938         }
1939         SkCanvas* canvas = surface->getCanvas();
1940         canvas->clear(SK_ColorTRANSPARENT);
1941 
1942         SkScalar deltaX = bounds.left();
1943         SkScalar deltaY = bounds.top();
1944 
1945         SkMatrix offsetMatrix = transform;
1946         offsetMatrix.postTranslate(-deltaX, -deltaY);
1947         offsetMatrix.postScale(scaleX, scaleY);
1948 
1949         // Translate the draw in the new canvas, so we perfectly fit the
1950         // shape in the bitmap.
1951         canvas->setMatrix(offsetMatrix);
1952         canvas->drawImage(imageSubset.image(), 0, 0);
1953         // Make sure the final bits are in the bitmap.
1954         surface->flush();
1955 
1956         // In the new space, we use the identity matrix translated
1957         // and scaled to reflect DPI.
1958         matrix.setScale(1 / scaleX, 1 / scaleY);
1959         matrix.postTranslate(deltaX, deltaY);
1960 
1961         imageSubset = SkKeyedImage(surface->makeImageSnapshot());
1962         if (!imageSubset) {
1963             return;
1964         }
1965     }
1966 
1967     SkMatrix scaled;
1968     // Adjust for origin flip.
1969     scaled.setScale(SK_Scalar1, -SK_Scalar1);
1970     scaled.postTranslate(0, SK_Scalar1);
1971     // Scale the image up from 1x1 to WxH.
1972     SkIRect subset = imageSubset.image()->bounds();
1973     scaled.postScale(SkIntToScalar(subset.width()),
1974                      SkIntToScalar(subset.height()));
1975     scaled.postConcat(matrix);
1976     ScopedContentEntry content(this, &this->cs(), scaled, paint);
1977     if (!content) {
1978         return;
1979     }
1980     if (content.needShape()) {
1981         SkPath shape = to_path(SkRect::Make(subset));
1982         shape.transform(matrix);
1983         content.setShape(shape);
1984     }
1985     if (!content.needSource()) {
1986         return;
1987     }
1988 
1989     if (SkColorFilter* colorFilter = paint.getColorFilter()) {
1990         sk_sp<SkImage> img = color_filter(imageSubset.image().get(), colorFilter);
1991         imageSubset = SkKeyedImage(std::move(img));
1992         if (!imageSubset) {
1993             return;
1994         }
1995         // TODO(halcanary): de-dupe this by caching filtered images.
1996         // (maybe in the resource cache?)
1997     }
1998 
1999     SkBitmapKey key = imageSubset.key();
2000     SkPDFIndirectReference* pdfimagePtr = fDocument->fPDFBitmapMap.find(key);
2001     SkPDFIndirectReference pdfimage = pdfimagePtr ? *pdfimagePtr : SkPDFIndirectReference();
2002     if (!pdfimagePtr) {
2003         SkASSERT(imageSubset);
2004         pdfimage = SkPDFSerializeImage(imageSubset.image().get(), fDocument,
2005                                        fDocument->metadata().fEncodingQuality);
2006         SkASSERT((key != SkBitmapKey{{0, 0, 0, 0}, 0}));
2007         fDocument->fPDFBitmapMap.set(key, pdfimage);
2008     }
2009     SkASSERT(pdfimage != SkPDFIndirectReference());
2010     this->drawFormXObject(pdfimage, content.stream());
2011 }
2012 
2013 ///////////////////////////////////////////////////////////////////////////////////////////////////
2014 
2015 #include "SkSpecialImage.h"
2016 #include "SkImageFilter.h"
2017 
drawSpecial(SkSpecialImage * srcImg,int x,int y,const SkPaint & paint,SkImage * clipImage,const SkMatrix & clipMatrix)2018 void SkPDFDevice::drawSpecial(SkSpecialImage* srcImg, int x, int y, const SkPaint& paint,
2019                               SkImage* clipImage, const SkMatrix& clipMatrix) {
2020     if (this->hasEmptyClip()) {
2021         return;
2022     }
2023     SkASSERT(!srcImg->isTextureBacked());
2024 
2025     //TODO: clipImage support
2026 
2027     SkBitmap resultBM;
2028 
2029     SkImageFilter* filter = paint.getImageFilter();
2030     if (filter) {
2031         SkIPoint offset = SkIPoint::Make(0, 0);
2032         SkMatrix matrix = this->ctm();
2033         matrix.postTranslate(SkIntToScalar(-x), SkIntToScalar(-y));
2034         const SkIRect clipBounds =
2035             this->cs().bounds(this->bounds()).roundOut().makeOffset(-x, -y);
2036         sk_sp<SkImageFilterCache> cache(this->getImageFilterCache());
2037         // TODO: Should PDF be operating in a specified color type/space? For now, run the filter
2038         // in the same color space as the source (this is different from all other backends).
2039         SkImageFilter::OutputProperties outputProperties(kN32_SkColorType, srcImg->getColorSpace());
2040         SkImageFilter::Context ctx(matrix, clipBounds, cache.get(), outputProperties);
2041 
2042         sk_sp<SkSpecialImage> resultImg(filter->filterImage(srcImg, ctx, &offset));
2043         if (resultImg) {
2044             SkPaint tmpUnfiltered(paint);
2045             tmpUnfiltered.setImageFilter(nullptr);
2046             if (resultImg->getROPixels(&resultBM)) {
2047                 this->drawSprite(resultBM, x + offset.x(), y + offset.y(), tmpUnfiltered);
2048             }
2049         }
2050     } else {
2051         if (srcImg->getROPixels(&resultBM)) {
2052             this->drawSprite(resultBM, x, y, paint);
2053         }
2054     }
2055 }
2056 
makeSpecial(const SkBitmap & bitmap)2057 sk_sp<SkSpecialImage> SkPDFDevice::makeSpecial(const SkBitmap& bitmap) {
2058     return SkSpecialImage::MakeFromRaster(bitmap.bounds(), bitmap);
2059 }
2060 
makeSpecial(const SkImage * image)2061 sk_sp<SkSpecialImage> SkPDFDevice::makeSpecial(const SkImage* image) {
2062     return SkSpecialImage::MakeFromImage(nullptr, image->bounds(), image->makeNonTextureImage());
2063 }
2064 
snapSpecial()2065 sk_sp<SkSpecialImage> SkPDFDevice::snapSpecial() {
2066     return nullptr;
2067 }
2068 
getImageFilterCache()2069 SkImageFilterCache* SkPDFDevice::getImageFilterCache() {
2070     // We always return a transient cache, so it is freed after each
2071     // filter traversal.
2072     return SkImageFilterCache::Create(SkImageFilterCache::kDefaultTransientSize);
2073 }
2074