diff options
Diffstat (limited to 'Build/source/texk/dvisvgm/dvisvgm-1.11/src')
189 files changed, 32674 insertions, 0 deletions
diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/BasicDVIReader.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/BasicDVIReader.cpp new file mode 100644 index 00000000000..475a94566b0 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/BasicDVIReader.cpp @@ -0,0 +1,293 @@ +/************************************************************************* +** BasicDVIReader.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <algorithm> +#include <sstream> +#include "BasicDVIReader.h" + +using namespace std; + + +BasicDVIReader::BasicDVIReader (std::istream &is) : StreamReader(is), _dviFormat(DVI_NONE) +{ +} + + +/** Evaluates the next DVI command, and computes the corresponding handler. + * @param[out] handler handler for current DVI command + * @param[out] param the handler must be called with this parameter + * @return opcode of current DVI command */ +int BasicDVIReader::evalCommand (CommandHandler &handler, int ¶m) { + struct DVICommand { + CommandHandler handler; + int length; // number of parameter bytes + }; + + /* Each cmdFOO command reads the necessary number of bytes from the stream, so executeCommand + doesn't need to know the exact DVI command format. Some cmdFOO methods are used for multiple + DVI commands because they only differ in length of their parameters. */ + static const DVICommand commands[] = { + {&BasicDVIReader::cmdSetChar, 1}, {&BasicDVIReader::cmdSetChar, 2}, // 128-129 + {&BasicDVIReader::cmdSetChar, 3}, {&BasicDVIReader::cmdSetChar, 4}, // 130-131 + {&BasicDVIReader::cmdSetRule, 8}, // 132 + {&BasicDVIReader::cmdPutChar, 1}, {&BasicDVIReader::cmdPutChar, 2}, // 133-134 + {&BasicDVIReader::cmdPutChar, 3}, {&BasicDVIReader::cmdPutChar, 4}, // 135-136 + {&BasicDVIReader::cmdPutRule, 8}, // 137 + {&BasicDVIReader::cmdNop, 0}, // 138 + {&BasicDVIReader::cmdBop, 44}, {&BasicDVIReader::cmdEop, 0}, // 139-140 + {&BasicDVIReader::cmdPush, 0}, {&BasicDVIReader::cmdPop, 0}, // 141-142 + {&BasicDVIReader::cmdRight, 1}, {&BasicDVIReader::cmdRight, 2}, // 143-144 + {&BasicDVIReader::cmdRight, 3}, {&BasicDVIReader::cmdRight, 4}, // 145-146 + {&BasicDVIReader::cmdW0, 0}, // 147 + {&BasicDVIReader::cmdW, 1}, {&BasicDVIReader::cmdW, 2}, // 148-149 + {&BasicDVIReader::cmdW, 3}, {&BasicDVIReader::cmdW, 4}, // 150-151 + {&BasicDVIReader::cmdX0, 0}, // 152 + {&BasicDVIReader::cmdX, 1}, {&BasicDVIReader::cmdX, 2}, // 153-154 + {&BasicDVIReader::cmdX, 3}, {&BasicDVIReader::cmdX, 4}, // 155-156 + {&BasicDVIReader::cmdDown, 1}, {&BasicDVIReader::cmdDown, 2}, // 157-158 + {&BasicDVIReader::cmdDown, 3}, {&BasicDVIReader::cmdDown, 4}, // 159-160 + {&BasicDVIReader::cmdY0, 0}, // 161 + {&BasicDVIReader::cmdY, 1}, {&BasicDVIReader::cmdY, 2}, // 162-163 + {&BasicDVIReader::cmdY, 3}, {&BasicDVIReader::cmdY, 4}, // 164-165 + {&BasicDVIReader::cmdZ0, 0}, // 166 + {&BasicDVIReader::cmdZ, 1}, {&BasicDVIReader::cmdZ, 2}, // 167-168 + {&BasicDVIReader::cmdZ, 3}, {&BasicDVIReader::cmdZ, 4}, // 169-170 + + {&BasicDVIReader::cmdFontNum, 1}, {&BasicDVIReader::cmdFontNum, 2}, // 235-236 + {&BasicDVIReader::cmdFontNum, 3}, {&BasicDVIReader::cmdFontNum, 4}, // 237-238 + {&BasicDVIReader::cmdXXX, 1}, {&BasicDVIReader::cmdXXX, 2}, // 239-240 + {&BasicDVIReader::cmdXXX, 3}, {&BasicDVIReader::cmdXXX, 4}, // 241-242 + {&BasicDVIReader::cmdFontDef, 1}, {&BasicDVIReader::cmdFontDef, 2}, // 243-244 + {&BasicDVIReader::cmdFontDef, 3}, {&BasicDVIReader::cmdFontDef, 4}, // 245-246 + {&BasicDVIReader::cmdPre, 0}, {&BasicDVIReader::cmdPost, 0}, // 247-248 + {&BasicDVIReader::cmdPostPost, 0}, // 249 + }; + + const int opcode = readByte(); + if (!isStreamValid() || opcode < 0) // at end of file + throw InvalidDVIFileException("invalid DVI file"); + + int num_param_bytes = 0; + param = -1; + if (opcode >= 0 && opcode <= 127) { + handler = &BasicDVIReader::cmdSetChar0; + param = opcode; + } + else if (opcode >= 171 && opcode <= 234) { + handler = &BasicDVIReader::cmdFontNum0; + param = opcode-171; + } + else if ((_dviFormat == DVI_XDVOLD && opcode >= 251 && opcode <= 254) + || (_dviFormat == DVI_XDVNEW && opcode >= 252 && opcode <= 253)) { // XDV command? + static const CommandHandler handlers[] = { + &BasicDVIReader::cmdXPic, + &BasicDVIReader::cmdXFontDef, + &BasicDVIReader::cmdXGlyphArray, + &BasicDVIReader::cmdXGlyphString + }; + handler = handlers[opcode-251]; + param = 0; + } + else if (_dviFormat == DVI_PTEX && opcode == 255) { // direction command set by pTeX? + handler = &BasicDVIReader::cmdDir; + num_param_bytes = 1; + } + else if (opcode >= 250) { + ostringstream oss; + oss << "undefined DVI command (opcode " << opcode << ')'; + throw DVIException(oss.str()); + } + else { + const int offset = opcode <= 170 ? 128 : 235-(170-128+1); + handler = commands[opcode-offset].handler; + num_param_bytes = commands[opcode-offset].length; + } + if (param < 0) + param = num_param_bytes; + return opcode; +} + + +/** Reads a single DVI command from the current position of the input stream and calls the + * corresponding cmdFOO method. + * @return opcode of the executed command */ +int BasicDVIReader::executeCommand () { + CommandHandler handler; + int param; // parameter of handler + int opcode = evalCommand(handler, param); + (this->*handler)(param); + return opcode; +} + + +void BasicDVIReader::executePostPost () { + clearStream(); // reset all status bits + if (!isStreamValid()) + throw DVIException("invalid DVI file"); + + seek(-1, ios::end); // stream pointer to last byte + int count=0; + while (peek() == 223) { // count trailing fill bytes + seek(-1, ios::cur); + count++; + } + if (count < 4) // the standard requires at least 4 trailing fill bytes + throw DVIException("missing fill bytes at end of file"); + + setDVIFormat((DVIFormat)readUnsigned(1)); +} + + +void BasicDVIReader::executeAllPages () { + if (_dviFormat == DVI_NONE) + executePostPost(); // get version ID from post_post + seek(0); // go to preamble + while (executeCommand() != 248); // execute all commands until postamble is reached +} + + +void BasicDVIReader::setDVIFormat (DVIFormat format) { + _dviFormat = max(_dviFormat, format); + switch (_dviFormat) { + case DVI_STANDARD: + case DVI_PTEX: + case DVI_XDVOLD: + case DVI_XDVNEW: + break; + default: + ostringstream oss; + oss << "DVI format " << _dviFormat << " not supported"; + throw DVIException(oss.str()); + } +} + +///////////////////////////////////// + +/** Executes preamble command. + * Format: pre i[1] num[4] den[4] mag[4] k[1] x[k] */ +void BasicDVIReader::cmdPre (int) { + setDVIFormat((DVIFormat)readUnsigned(1)); // identification number + seek(12, ios::cur); // skip numerator, denominator, and mag factor + UInt32 k = readUnsigned(1); // length of following comment + seek(k, ios::cur); // skip comment +} + + +/** Executes postamble command. + * Format: post p[4] num[4] den[4] mag[4] l[4] u[4] s[2] t[2] */ +void BasicDVIReader::cmdPost (int) { + seek(28, ios::cur); +} + + +/** Executes postpost command. + * Format: postpost q[4] i[1] 223’s[>= 4] */ +void BasicDVIReader::cmdPostPost (int) { + seek(4, ios::cur); + setDVIFormat((DVIFormat)readUnsigned(1)); // identification byte + while (readUnsigned(1) == 223); // skip fill bytes (223), eof bit should be set now +} + + +/** Executes bop (begin of page) command. + * Format: bop c0[+4] ... c9[+4] p[+4] */ +void BasicDVIReader::cmdBop (int) {seek(44, ios::cur);} +void BasicDVIReader::cmdEop (int) {} +void BasicDVIReader::cmdPush (int) {} +void BasicDVIReader::cmdPop (int) {} +void BasicDVIReader::cmdSetChar0 (int) {} +void BasicDVIReader::cmdSetChar (int len) {seek(len, ios::cur);} +void BasicDVIReader::cmdPutChar (int len) {seek(len, ios::cur);} +void BasicDVIReader::cmdSetRule (int) {seek(8, ios::cur);} +void BasicDVIReader::cmdPutRule (int) {seek(8, ios::cur);} +void BasicDVIReader::cmdRight (int len) {seek(len, ios::cur);} +void BasicDVIReader::cmdDown (int len) {seek(len, ios::cur);} +void BasicDVIReader::cmdX0 (int) {} +void BasicDVIReader::cmdY0 (int) {} +void BasicDVIReader::cmdW0 (int) {} +void BasicDVIReader::cmdZ0 (int) {} +void BasicDVIReader::cmdX (int len) {seek(len, ios::cur);} +void BasicDVIReader::cmdY (int len) {seek(len, ios::cur);} +void BasicDVIReader::cmdW (int len) {seek(len, ios::cur);} +void BasicDVIReader::cmdZ (int len) {seek(len, ios::cur);} +void BasicDVIReader::cmdNop (int) {} +void BasicDVIReader::cmdDir (int) {seek(1, ios::cur);} +void BasicDVIReader::cmdFontNum0 (int) {} +void BasicDVIReader::cmdFontNum (int len) {seek(len, ios::cur);} +void BasicDVIReader::cmdXXX (int len) {seek(readUnsigned(len), ios::cur);} + + +/** Executes fontdef command. + * Format fontdef k[len] c[4] s[4] d[4] a[1] l[1] n[a+l] + * @param[in] len size of font number variable (in bytes) */ +void BasicDVIReader::cmdFontDef (int len) { + seek(len+12, ios::cur); // skip font number + UInt32 pathlen = readUnsigned(1); // length of font path + UInt32 namelen = readUnsigned(1); // length of font name + seek(pathlen+namelen, ios::cur); +} + + +/** XDV extension: include image or pdf file. + * parameters: box[1] matrix[4][6] p[2] len[2] path[l] */ +void BasicDVIReader::cmdXPic (int) { + seek(1+24+2, ios::cur); + UInt16 len = readUnsigned(2); + seek(len, ios::cur); +} + + +void BasicDVIReader::cmdXFontDef (int) { + seek(4+4, ios::cur); + UInt16 flags = readUnsigned(2); + UInt8 len = readUnsigned(1); + if (_dviFormat == DVI_XDVOLD) + len += readUnsigned(1)+readUnsigned(1); + seek(len, ios::cur); + if (_dviFormat == DVI_XDVNEW) + seek(4, ios::cur); // skip subfont index + if (flags & 0x0200) // colored? + seek(4, ios::cur); + if (flags & 0x1000) // extend? + seek(4, ios::cur); + if (flags & 0x2000) // slant? + seek(4, ios::cur); + if (flags & 0x4000) // embolden? + seek(4, ios::cur); + if ((flags & 0x0800) && (_dviFormat == DVI_XDVOLD)) { // variations? + UInt16 num_variations = readSigned(2); + seek(4*num_variations, ios::cur); + } +} + + +void BasicDVIReader::cmdXGlyphArray (int) { + seek(4, ios::cur); + UInt16 num_glyphs = readUnsigned(2); + seek(10*num_glyphs, ios::cur); +} + + +void BasicDVIReader::cmdXGlyphString (int) { + seek(4, ios::cur); + UInt16 num_glyphs = readUnsigned(2); + seek(6*num_glyphs, ios::cur); +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/BasicDVIReader.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/BasicDVIReader.h new file mode 100644 index 00000000000..005269616c3 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/BasicDVIReader.h @@ -0,0 +1,105 @@ +/************************************************************************* +** BasicDVIReader.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_BASICDVIREADER_H +#define DVISVGM_BASICDVIREADER_H + +#include "MessageException.h" +#include "StreamReader.h" + +struct DVIException : public MessageException +{ + DVIException (const std::string &msg) : MessageException(msg) {} +}; + + +struct InvalidDVIFileException : public DVIException +{ + InvalidDVIFileException(const std::string &msg) : DVIException(msg) {} +}; + +class Matrix; + +class BasicDVIReader : public StreamReader +{ + protected: + typedef void (BasicDVIReader::*CommandHandler)(int); + enum DVIFormat {DVI_NONE=0, DVI_STANDARD=2, DVI_PTEX=3, DVI_XDVOLD=5, DVI_XDVNEW=6}; + + public: + BasicDVIReader (std::istream &is); + virtual ~BasicDVIReader () {} + virtual void executeAllPages (); + virtual double getXPos () const {return 0;} + virtual double getYPos () const {return 0;} + virtual void finishLine () {} + virtual void translateToX (double x) {} + virtual void translateToY (double y) {} + virtual int getStackDepth () const {return 0;} + virtual void getPageTransformation (Matrix &matrix) const {} + virtual unsigned getCurrentPageNumber () const {return 0;} + + protected: + void setDVIFormat (DVIFormat format); + DVIFormat getDVIFormat () const {return _dviFormat;} + virtual int evalCommand (CommandHandler &handler, int ¶m); + virtual int executeCommand (); + void executePostPost (); + + // the following methods represent the DVI commands + // they are called by executeCommand and should not be used directly + virtual void cmdSetChar0 (int c); + virtual void cmdSetChar (int len); + virtual void cmdPutChar (int len); + virtual void cmdSetRule (int len); + virtual void cmdPutRule (int len); + virtual void cmdNop (int len); + virtual void cmdBop (int len); + virtual void cmdEop (int len); + virtual void cmdPush (int len); + virtual void cmdPop (int len); + virtual void cmdDir (int len); + virtual void cmdRight (int len); + virtual void cmdDown (int len); + virtual void cmdX0 (int len); + virtual void cmdY0 (int len); + virtual void cmdW0 (int len); + virtual void cmdZ0 (int len); + virtual void cmdX (int len); + virtual void cmdY (int len); + virtual void cmdW (int len); + virtual void cmdZ (int len); + virtual void cmdFontDef (int len); + virtual void cmdFontNum0 (int n); + virtual void cmdFontNum (int len); + virtual void cmdXXX (int len); + virtual void cmdPre (int len); + virtual void cmdPost (int len); + virtual void cmdPostPost (int len); + virtual void cmdXFontDef (int len); // XDV only + virtual void cmdXGlyphArray (int len); // XDV only + virtual void cmdXGlyphString (int len); // XDV format 5 only + virtual void cmdXPic (int len); // XDV format 5 only + + private: + DVIFormat _dviFormat; ///< format of DVI file being processed +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Bezier.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Bezier.cpp new file mode 100644 index 00000000000..46cc79d69d9 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Bezier.cpp @@ -0,0 +1,256 @@ +/************************************************************************* +** Bezier.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <algorithm> +#include <utility> +#include "Bezier.h" + +using namespace std; + +Bezier::Bezier () { + _points[0] = _points[1] = _points[2] = _points[3] = 0; +} + + +/** Creates a quadratic Bézier curve. internally, it's represented as a cubic one. */ +Bezier::Bezier (const DPair &p0, const DPair &p1, const DPair &p2) { + setPoints(p0, p0+(p1-p0)*2.0/3.0, p2+(p1-p2)*2.0/3.0, p2); +} + + +Bezier::Bezier (const DPair &p0, const DPair &p1, const DPair &p2, const DPair &p3) { + setPoints(p0, p1, p2, p3); +} + + +/** Creates a subcurve of a given Bézier curve. + * @param[in] source original curve to be clipped + * @param[in] t0 'time' parameter \f$\in[0,1]\f$ of source curve where the subcurve starts + * @param[in] t1 'time' parameter \f$\in[0,1]\f$ of source curve where the subcurve ends */ +Bezier::Bezier (const Bezier &source, double t0, double t1) { + if (t0 == t1) + _points[0] = _points[1] = _points[2] = _points[3] = source.valueAt(t0); + else { + if (t0 > t1) + swap(t0, t1); + if (t0 == 0) + source.subdivide(t1, this, 0); + else if (t1 == 1) + source.subdivide(t0, 0, this); + else { + Bezier subcurve; + source.subdivide(t0, 0, &subcurve); + subcurve.subdivide((t1-t0)/(1-t0), this, 0); + } + } +} + + +void Bezier::setPoints(const DPair &p0, const DPair &p1, const DPair &p2, const DPair &p3) { + _points[0] = p0; + _points[1] = p1; + _points[2] = p2; + _points[3] = p3; +} + + +void Bezier::reverse() { + swap(_points[0], _points[3]); + swap(_points[1], _points[2]); +} + + +DPair Bezier::valueAt (double t) const { + const double s = 1-t; + return _points[0]*s*s*s + _points[1]*3.0*s*s*t + _points[2]*3.0*s*t*t + _points[3]*t*t*t; +} + + +/** Returns a value of the Bézier curve's blossom representation. */ +DPair Bezier::blossomValue (double u, double v, double w) const { + const double uv = u*v; + const double uw = u*w; + const double vw = v*w; + const double uvw = u*v*w; + return _points[0]*(1.0-u-v-w+uv+uw+vw-uvw) + +_points[1]*(u+v+w-2.0*(uv+uw+vw)+3.0*uvw) + +_points[2]*(uv+uw+vw-3.0*uvw) + +_points[3]*uvw; +} + + +/** Splits the curve at t into two sub-curves. */ +void Bezier::subdivide (double t, Bezier *bezier1, Bezier *bezier2) const { + const double s = 1-t; + DPair p01 = _points[0]*s + _points[1]*t; + DPair p12 = _points[1]*s + _points[2]*t; + DPair p23 = _points[2]*s + _points[3]*t; + DPair p012 = p01*s + p12*t; + DPair p123 = p12*s + p23*t; + DPair p0123 = p012*s + p123*t; + if (bezier1) + bezier1->setPoints(_points[0], p01, p012, p0123); + if (bezier2) + bezier2->setPoints(p0123, p123, p23, _points[3]); +} + + +/** Approximates the current Bézier curve by a sequence of line segments. + * This is done by subdividing the curve several times using De Casteljau's algorithm. + * If a sub-curve is almost flat, i.e. \f$\sum\limits_{k=0}^2 |p_{k+1}-p_k| - |p_3-p_0| < \delta\f$, + * the curve is not further subdivided. + * @param[in] delta threshold where to stop further subdivisions (see description above) + * @param[out] p the resulting sequence of points defining the start/end points of the line segments + * @param[out] t corresponding curve parameters of the approximated points p: \f$ b(t_i)=p_i \f$ + * @return number of points in vector p */ +int Bezier::approximate (double delta, std::vector<DPair> &p, vector<double> *t) const { + p.push_back(_points[0]); + if (t) + t->push_back(0); + return approximate(delta, 0, 1, p, t); +} + + +int Bezier::approximate (double delta, double t0, double t1, vector<DPair> &p, vector<double> *t) const { + // compute distance of adjacent control points + const double l01 = (_points[1]-_points[0]).length(); + const double l12 = (_points[2]-_points[1]).length(); + const double l23 = (_points[3]-_points[2]).length(); + const double l03 = (_points[3]-_points[0]).length(); + if (l01+l12+l23-l03 < delta) { // is curve flat enough? + p.push_back(_points[3]); // => store endpoint + if (t) + t->push_back(t1); + } + else { + // subdivide curve at b(0.5) and approximate the resulting parts separately + Bezier b1, b2; + subdivide(0.5, &b1, &b2); + double tmid = (t0+t1)/2; + b1.approximate(delta, t0, tmid, p, t); + b2.approximate(delta, tmid, t1, p, t); + } + return p.size(); +} + + +/** Returns the signed area of the triangle (p1, p2, p3). */ +static inline double signed_area (const DPair &p1, const DPair &p2, const DPair &p3) { + return ((p2.x()-p1.x())*(p3.y()-p1.y()) - (p3.x()-p1.x())*(p2.y()-p1.y()))/2.0; +} + + +static inline double dot_prod (const DPair &p1, const DPair &p2) { + return p1.x()*p2.x() + p1.y()*p2.y(); +} + + +/** Returns true if p3 is located between p1 and p2, i.e. p3 lays almost on the line + * between p1 and p2. */ +static bool between (const DPair &p1, const DPair &p2, const DPair &p3, double delta) { + double sqr_dist = dot_prod(p2-p1, p2-p1); + double factor = sqr_dist == 0.0 ? 1.0 : sqr_dist; + double area2 = fabs(signed_area(p1, p2, p3)); + return area2*area2/factor < delta // does p3 lay almost on the line through p1 and p2... + && min(p1.x(), p2.x()) <= p3.x() // ...and on or inside the rectangle spanned by p1 and p2? + && max(p1.x(), p2.x()) >= p3.x() + && min(p1.y(), p2.y()) <= p3.y() + && max(p1.y(), p2.y()) >= p3.y(); +} + + +static inline bool near (const DPair &p1, const DPair &p2, double delta) { + DPair diff = p2-p1; + return fabs(diff.x()) < delta && fabs(diff.y()) < delta; +} + + +/** Tries to reduce the degree of the Bézier curve. This only works if the number of + * control points can be reduces without changing the shape of the curve significantly. + * @param[in] delta deviation tolerance + * @param[in] p control points of the reduced curve + * @return degree of the reduced curve */ +int Bezier::reduceDegree (double delta, vector<DPair> &p) const { + p.clear(); + if (near(_points[0], _points[1], delta) && near(_points[0], _points[2], delta) && near(_points[0], _points[3], delta)) + p.push_back(_points[0]); + else if (between(_points[0], _points[3], _points[1], delta) && between(_points[0], _points[3], _points[2], delta)) { + p.push_back(_points[0]); + p.push_back(_points[3]); + } + else if (near((_points[1]-_points[0])*1.5+_points[0], (_points[2]-_points[3])*1.5+_points[3], delta)) { + p.push_back(_points[0]); + p.push_back((_points[1]-_points[0])*1.5 + _points[0]); + p.push_back(_points[3]); + } + else { + p.resize(4); + for (int i=0; i < 4; i++) + p[i] = _points[i]; + } + return p.size()-1; +} + + +/** Try to solve the quadratic equation ax^2 + bx + c = 0. */ +static bool solve_quadratic_equation (double a, double b, double c, double &x1, double &x2) { + if (a == 0) { + if (b == 0) + return false; + x1 = x2 = -c/b; + } + else { + double discr = b*b - 4*a*c; + if (discr < 0) + return false; + double p = -b/a/2; + double r = sqrt(discr)/a/2; + x1 = p+r; + x2 = p-r; + } + return true; +} + + +/** Returns a tight bounding box parallel to the x- and y-axis. */ +void Bezier::getBBox (BoundingBox &bbox) const { + bbox.invalidate(); + // coefficients of the derivative + DPair pa = _points[3] - _points[2]*3.0 + _points[1]*3.0 - _points[0]; + DPair pb = (_points[2]-_points[1]*2.0+_points[0])*2.0; + DPair pc = _points[1]-_points[0]; + + // compute extrema for t > 0 and t < 1 + double t1, t2; + if (solve_quadratic_equation(pa.x(), pb.x(), pc.x(), t1, t2)) { + if (t1 > 0.001 && t1 < 0.999) + bbox.embed(valueAt(t1)); + if (t1 != t2 && t2 > 0.001 && t2 < 0.999) + bbox.embed(valueAt(t2)); + } + if (solve_quadratic_equation(pa.y(), pb.y(), pc.y(), t1, t2)) { + if (t1 > 0.001 && t1 < 0.999) + bbox.embed(valueAt(t1)); + if (t1 != t2 && t2 > 0.001 && t2 < 0.999) + bbox.embed(valueAt(t2)); + } + bbox.embed(_points[0]); + bbox.embed(_points[3]); +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Bezier.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Bezier.h new file mode 100644 index 00000000000..dcb6ee393c6 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Bezier.h @@ -0,0 +1,52 @@ +/************************************************************************* +** Bezier.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_BEZIER_H +#define DVISVGM_BEZIER_H + +#include <vector> +#include "BoundingBox.h" +#include "Pair.h" + +class Bezier +{ + public: + Bezier (); + Bezier (const DPair &p0, const DPair &p1, const DPair &p2); + Bezier (const DPair &p0, const DPair &p1, const DPair &p2, const DPair &p3); + Bezier (const Bezier &source, double t0, double t1); + void setPoints (const DPair &p0, const DPair &p1, const DPair &p2, const DPair &p3); + void reverse (); + DPair valueAt (double t) const; + DPair blossomValue (double u, double v, double w) const; + void subdivide (double t, Bezier *bezier1, Bezier *bezier2) const; + int approximate (double delta, std::vector<DPair> &p, std::vector<double> *t=0) const; + const DPair& point (int i) const {return _points[i];} + int reduceDegree (double delta, std::vector<DPair> &p) const; + void getBBox (BoundingBox &bbox) const; + + protected: + int approximate (double delta, double t0, double t1, std::vector<DPair> &p, std::vector<double> *t) const; + + private: + DPair _points[4]; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/BgColorSpecialHandler.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/BgColorSpecialHandler.cpp new file mode 100644 index 00000000000..43bf3a9f68b --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/BgColorSpecialHandler.cpp @@ -0,0 +1,38 @@ +/************************************************************************* +** BgColorSpecialHandler.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include "BgColorSpecialHandler.h" +#include "ColorSpecialHandler.h" +#include "SpecialActions.h" + +using namespace std; + + +bool BgColorSpecialHandler::process (const char *prefix, istream &is, SpecialActions *actions) { + ColorSpecialHandler csh; + return csh.process(prefix, is, actions); +} + + +const char** BgColorSpecialHandler::prefixes () const { + static const char *pfx[] = {"background", 0}; + return pfx; +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/BgColorSpecialHandler.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/BgColorSpecialHandler.h new file mode 100644 index 00000000000..1d7ec2fbd10 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/BgColorSpecialHandler.h @@ -0,0 +1,34 @@ +/************************************************************************* +** BgColorSpecialHandler.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_BGCOLORSPECIALHANDLER_H +#define DVISVGM_BGCOLORSPECIALHANDLER_H + +#include "SpecialHandler.h" + +struct BgColorSpecialHandler : SpecialHandler +{ + const char* info () const {return "background color special";} + const char* name () const {return "bgcolor";} + const char** prefixes () const; + bool process (const char *prefix, std::istream &is, SpecialActions *actions); +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Bitmap.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Bitmap.cpp new file mode 100644 index 00000000000..642f079b7ab --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Bitmap.cpp @@ -0,0 +1,164 @@ +/************************************************************************* +** Bitmap.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <algorithm> +#include <cstdlib> +#include <iostream> +#include <limits> +#include "Bitmap.h" +#include "macros.h" + +using namespace std; + +Bitmap::Bitmap () : _rows(0), _cols(0), _xshift(0), _yshift(0), _bpr(0), _bytes(0) +{ +} + + +/** Constructs a Bitmap */ +Bitmap::Bitmap (int minx, int maxx, int miny , int maxy) { + resize(minx, maxx, miny, maxy); +} + + +/** Resizes the bitmap and clears all pixels. + * @param[in] minx index of leftmost pixel column + * @param[in] maxx index of rightmost pixel column + * @param[in] miny index of bottom row + * @param[in] maxy index of top row */ +void Bitmap::resize (int minx, int maxx, int miny , int maxy) { + _rows = abs(maxy-miny)+1; + _cols = abs(maxx-minx)+1; + _xshift = minx; + _yshift = miny; + _bpr = _cols/8 + (_cols % 8 ? 1 : 0); // bytes per row + _bytes.resize(_rows*_bpr); + FORALL(_bytes, vector<UInt8>::iterator, it) + *it = 0; +} + + +/** Sets n pixels of row r to 1 starting at pixel c. + * @param[in] row number of row + * @param[in] col number of column (pixel) + * @param[in] n number of bits to be set */ +void Bitmap::setBits (int row, int col, int n) { + row -= _yshift; + col -= _xshift; + UInt8 *byte = &_bytes[row*_bpr + col/8]; + if (byte < &_bytes[0]) + return; + const UInt8 *maxptr = &_bytes[0]+_bytes.size()-1; + while (n > 0 && byte <= maxptr) { + int b = 7 - col%8; // number of leftmost bit in current byte to be set + int m = min(n, b+1); // number of bits to be set in current byte + int bitseq = (1 << m)-1; // sequence of n set bits (bits 0..n-1 are set) + bitseq <<= b-m+1; // move bit sequence so that bit b is the leftmost set bit + *byte |= UInt8(bitseq); // apply bit sequence to current byte + byte++; + n -= m; + col += m; + } +} + + +void Bitmap::forAllPixels (Callback &data) const { + for (int row=0; row < _rows ; row++) { + for (int col=0; col < _bpr; col++) { + UInt8 byte = _bytes[row*_bpr+col]; + int x; + for (int b=7; (b >= 0) && ((x = 8*col+(7-b)) < _cols); b--) + data.pixel(x, row, byte & (1 << b), *this); + } + } + data.finish(); +} + + +class BBoxCallback : public Bitmap::Callback +{ + public: + BBoxCallback () : _changed(false), _minx(numeric_limits<int>::max()), _miny(_minx), _maxx(0), _maxy(0) {} + int minx () const {return _minx;} + int miny () const {return _miny;} + int maxx () const {return _maxx;} + int maxy () const {return _maxy;} + bool empty () const {return !_changed;} + + void pixel (int x, int y, bool set, const Bitmap&) { + if (set) { + _minx = min(_minx, x); + _miny = min(_miny, y); + _maxx = max(_maxx, x); + _maxy = max(_maxy, y); + _changed = true; + } + } + + void finish () { + if (empty()) + _minx = _miny = 0; + } + + private: + bool _changed; + int _minx, _miny, _maxx, _maxy; +}; + + +/** Computes the bounding box that spans all set pixels. */ +bool Bitmap::getBBox (int &minx, int &miny, int &maxx, int &maxy) const { + BBoxCallback bboxCallback; + forAllPixels(bboxCallback); + minx = bboxCallback.minx(); + miny = bboxCallback.miny(); + maxx = bboxCallback.maxx(); + maxy = bboxCallback.maxy(); + return !bboxCallback.empty(); +} + + +/** Computes width and height of the bounding box that spans all set pixels. */ +void Bitmap::getExtent (int &w, int &h) const { + int minx, miny, maxx, maxy; + if (getBBox(minx, miny, maxx, maxy)) { + w = maxx-minx+1; + h = maxy-miny+1; + } + else + w = h = 0; +} + + +#if 0 +ostream& Bitmap::write (ostream &os) const { + for (int r=_rows-1; r >= 0 ; r--) { + for (int c=0; c < _bpr; c++) { + UInt8 byte = _bytes[r*_bpr+c]; + for (int b=128; b; b>>=1) + os << (byte & b ? '*' : '-'); + os << ' '; + } + os << endl; + } + return os; +} +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Bitmap.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Bitmap.h new file mode 100644 index 00000000000..7a8210abeaa --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Bitmap.h @@ -0,0 +1,112 @@ +/************************************************************************* +** Bitmap.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_BITMAP_H +#define DVISVGM_BITMAP_H + +#include <ostream> +#include <vector> +#include "types.h" + + +class Bitmap +{ + public: + struct Callback { + virtual ~Callback() {} + virtual void pixel (int x, int y, bool set, Bitmap &bm) {} + virtual void pixel (int x, int y, bool set, const Bitmap &bm) {} + virtual void finish () {} + }; + + public: + Bitmap (); + Bitmap (int minx, int maxx, int miny , int maxy); + void resize (int minx, int maxx, int miny , int maxy); + void setBits(int row, int col, int n); + const UInt8* rowPtr (int row) const {return &_bytes[row*_bpr];} + int height () const {return _rows;} + int width () const {return _cols;} + int xshift () const {return _xshift;} + int yshift () const {return _yshift;} + int bytesPerRow () const {return _bpr;} + bool empty () const {return (!_rows && !_cols) || _bytes.empty();} + bool getBBox (int &minx, int &miny, int &maxx, int &maxy) const; + void getExtent (int &w, int &h) const; + void forAllPixels (Callback &callback) const; + + template <typename T> + int copy (std::vector<T> &target, bool vflip=false) const; + +// template <typename T> +// void write (std::ostream &os, const std::vector<T> &v) const; + +// std::ostream& write (std::ostream &os) const; + + private: + int _rows, _cols; ///< number of rows, columns + int _xshift, _yshift; ///< horizontal/vertical shift + int _bpr; ///< number of bytes per row + std::vector<UInt8> _bytes; +}; + + +/** Copies the bitmap to a new target area and reorganizes the bits. + * @tparam T component type of target vector + * @param[out] target points to first T of new bitmap (must be deleted after usage) + * @param[in] vflip true if the new bitmap should be flipped vertically + * @return number of Ts per row */ +template <typename T> +int Bitmap::copy (std::vector<T> &target, bool vflip) const { + const int s = sizeof(T); + const int tpr = _bpr/s + (_bpr%s ? 1 : 0); // number of Ts per row + target.resize(_rows*tpr); + for (int r=0; r < _rows; r++) { + int targetrow = vflip ? _rows-r-1 : r; + for (int b=0; b < _bpr; b++) { + T &t = target[targetrow*tpr + b/s]; + T chunk = (T)_bytes[r*_bpr+b] << (8*(s-1-b%s)); + if (b % s == 0) + t = chunk; + else + t |= chunk; + } + } + return tpr; +} + + +/* +template <typename T> +void Bitmap::write (std::ostream &os, const std::vector<T> &v) const { + const int s = sizeof(T); + const int tpr = _bpr/s + (_bpr%s ? 1 : 0); // number of Ts per row + for (int r=_rows-1; r >= 0; r--) { + for (int t=0; t < tpr; t++) { + for (T b=(T)1<<(8*s-1); b; b>>=1) + os << ((v[r*tpr+t] & b) ? '*' : '-'); + os << ' '; + } + os << std::endl; + } +}*/ + + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/BoundingBox.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/BoundingBox.cpp new file mode 100644 index 00000000000..30d711f0eb2 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/BoundingBox.cpp @@ -0,0 +1,287 @@ +/************************************************************************* +** BoundingBox.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <algorithm> +#include <sstream> +#include <string> +#include "BoundingBox.h" +#include "Matrix.h" +#include "XMLNode.h" +#include "XMLString.h" + +using namespace std; + + +BoundingBox::BoundingBox () + : _ulx(0), _uly(0), _lrx(0), _lry(0), _valid(false), _locked(false) +{ +} + + +BoundingBox::BoundingBox (double ulxx, double ulyy, double lrxx, double lryy) + : _ulx(min(ulxx,lrxx)), _uly(min(ulyy,lryy)), + _lrx(max(ulxx,lrxx)), _lry(max(ulyy,lryy)), + _valid(true), _locked(false) +{ +} + + +BoundingBox::BoundingBox (const DPair &p1, const DPair &p2) + : _ulx(min(p1.x(), p2.x())), _uly(min(p1.y(), p2.y())), + _lrx(max(p1.x(), p2.x())), _lry(max(p1.y(), p2.y())), + _valid(true), _locked(false) +{ +} + + +BoundingBox::BoundingBox (const Length &ulxx, const Length &ulyy, const Length &lrxx, const Length &lryy) + : _ulx(min(ulxx.pt(),lrxx.pt())), _uly(min(ulyy.pt(),lryy.pt())), + _lrx(max(ulxx.pt(),lrxx.pt())), _lry(max(ulyy.pt(),lryy.pt())), + _valid(true), _locked(false) +{ +} + + +BoundingBox::BoundingBox (const string &boxstr) + : _ulx(0), _uly(0), _lrx(0), _lry(0), _valid(false), _locked(false) +{ + set(boxstr); +} + + +/** Removes leading and trailing whitespace from the given string. */ +static string& strip (string &str) { + size_t n=0; + while (n < str.length() && isspace(str[n])) + ++n; + str.erase(0, n); + n=str.length()-1; + while (n > 0 && isspace(str[n])) + --n; + str.erase(n+1); + return str; +} + + +/** Sets or modifies the bounding box. If 'boxstr' consists of 4 length values, + * they denote the absolute position of two diagonal corners of the box. In case + * of a single length value l the current box is enlarged by adding (-l,-l) the upper + * left and (l,l) to the lower right corner. + * @param[in] boxstr whitespace and/or comma separated string of lengths. */ +void BoundingBox::set (string boxstr) { + vector<Length> coord; + const size_t len = boxstr.length(); + size_t l=0; + strip(boxstr); + string lenstr; + do { + while (l < len && isspace(boxstr[l])) + l++; + size_t r=l; + while (r < len && !isspace(boxstr[r]) && boxstr[r] != ',') + r++; + lenstr = boxstr.substr(l, r-l); + if (!lenstr.empty()) { + coord.push_back(Length(lenstr)); + if (boxstr[r] == ',') + r++; + l = r; + } + } while (!lenstr.empty() && coord.size() < 4); + + switch (coord.size()) { + case 1: + _ulx -= coord[0].pt(); + _uly -= coord[0].pt(); + _lrx += coord[0].pt(); + _lry += coord[0].pt(); + break; + case 2: + _ulx -= coord[0].pt(); + _uly -= coord[1].pt(); + _lrx += coord[0].pt(); + _lry += coord[1].pt(); + break; + case 4: + _ulx = min(coord[0].pt(), coord[2].pt()); + _uly = min(coord[1].pt(), coord[3].pt()); + _lrx = max(coord[0].pt(), coord[2].pt()); + _lry = max(coord[1].pt(), coord[3].pt()); + break; + default: + throw BoundingBoxException("1, 2 or 4 length parameters expected"); + } + _valid = true; +} + + +/** Enlarges the box so that point (x,y) is enclosed. */ +void BoundingBox::embed (double x, double y) { + if (!_locked) { + if (_valid) { + if (x < _ulx) + _ulx = x; + else if (x > _lrx) + _lrx = x; + if (y < _uly) + _uly = y; + else if (y > _lry) + _lry = y; + } + else { + _ulx = _lrx = x; + _uly = _lry = y; + _valid = true; + } + } +} + + +/** Enlarges the box so that the given bounding box is enclosed. */ +void BoundingBox::embed (const BoundingBox &bbox) { + if (!_locked && bbox._valid) { + if (_valid) { + embed(bbox._ulx, bbox._uly); + embed(bbox._lrx, bbox._lry); + } + else { + _ulx = bbox._ulx; + _uly = bbox._uly; + _lrx = bbox._lrx; + _lry = bbox._lry; + _valid = true; + } + } +} + + +/** Embeds a virtual circle into the box and enlarges it accordingly. + * @param[in] c center of the circle + * @param[in] r radius of the circle */ +void BoundingBox::embed (const DPair &c, double r) { + embed(BoundingBox(c.x()-r, c.y()-r, c.x()+r, c.y()+r)); +} + + +/** Expands the box in all four directions by a given value. */ +void BoundingBox::expand (double m) { + if (!_locked) { + _ulx -= m; + _uly -= m; + _lrx += m; + _lry += m; + } +} + + +/** Intersects the current box with bbox and applies the result to *this. + * If both boxes are disjoint, *this is not altered. + * @param[in] bbox box to intersect with + * @return false if *this is locked or both boxes are disjoint */ +bool BoundingBox::intersect (const BoundingBox &bbox) { + // check if the two boxes are disjoint + if (_locked || _lrx < bbox._ulx || _lry < bbox._uly || _ulx > bbox._lrx || _uly > bbox._lry) + return false; + // not disjoint: compute the intersection + _ulx = max(_ulx, bbox._ulx); + _uly = max(_uly, bbox._uly); + _lrx = min(_lrx, bbox._lrx); + _lry = min(_lry, bbox._lry); + return true; +} + + +void BoundingBox::operator += (const BoundingBox &bbox) { + if (!_locked) { + _ulx += bbox._ulx; + _uly += bbox._uly; + _lrx += bbox._lrx; + _lry += bbox._lry; + } +} + + +bool BoundingBox::operator == (const BoundingBox &bbox) const { + return _valid && bbox._valid + && _ulx == bbox._ulx + && _uly == bbox._uly + && _lrx == bbox._lrx + && _lry == bbox._lry; +} + + +bool BoundingBox::operator != (const BoundingBox &bbox) const { + return !_valid || !bbox._valid + || _ulx != bbox._ulx + || _uly != bbox._uly + || _lrx != bbox._lrx + || _lry != bbox._lry; +} + + +void BoundingBox::scale (double sx, double sy) { + if (!_locked) { + _ulx *= sx; + _lrx *= sx; + if (sx < 0) swap(_ulx, _lrx); + _uly *= sy; + _lry *= sy; + if (sy < 0) swap(_uly, _lry); + } +} + + +void BoundingBox::transform (const Matrix &tm) { + if (!_locked) { + DPair ul = tm * DPair(_lrx, _lry); + DPair lr = tm * DPair(_ulx, _uly); + DPair ll = tm * DPair(_ulx, _lry); + DPair ur = tm * DPair(_lrx, _uly); + _ulx = min(min(ul.x(), lr.x()), min(ur.x(), ll.x())); + _uly = min(min(ul.y(), lr.y()), min(ur.y(), ll.y())); + _lrx = max(max(ul.x(), lr.x()), max(ur.x(), ll.x())); + _lry = max(max(ul.y(), lr.y()), max(ur.y(), ll.y())); + } +} + + +string BoundingBox::toSVGViewBox () const { + ostringstream oss; + oss << XMLString(_ulx) << ' ' << XMLString(_uly) << ' ' << XMLString(width()) << ' ' << XMLString(height()); + return oss.str(); +} + + +ostream& BoundingBox::write (ostream &os) const { + return os << '(' << _ulx << ", " << _uly + << ", " << _lrx << ", " << _lry << ')'; +} + + +XMLElementNode* BoundingBox::createSVGRect () const { + XMLElementNode *rect = new XMLElementNode("rect"); + rect->addAttribute("x", minX()); + rect->addAttribute("y", minY()); + rect->addAttribute("width", width()); + rect->addAttribute("height", height()); + rect->addAttribute("fill", "none"); + return rect; +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/BoundingBox.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/BoundingBox.h new file mode 100644 index 00000000000..223e0433748 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/BoundingBox.h @@ -0,0 +1,91 @@ +/************************************************************************* +** BoundingBox.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_BOUNDINGBOX_H +#define DVISVGM_BOUNDINGBOX_H + +#include <ostream> +#include <string> +#include "Length.h" +#include "MessageException.h" +#include "Pair.h" +#include "macros.h" +#include "types.h" + + +class Matrix; +class XMLElementNode; + + +struct BoundingBoxException : MessageException +{ + BoundingBoxException (const std::string &msg) : MessageException(msg) {} +}; + + +class BoundingBox +{ + public: + BoundingBox (); + BoundingBox (double ulxx, double ulyy, double lrxx, double lryy); + BoundingBox (const DPair &p1, const DPair &p2); + BoundingBox (const Length &ulxx, const Length &ulyy, const Length &lrxx, const Length &lryy); + BoundingBox (const std::string &boxstr); + void set (std::string boxstr); + void embed (double x, double y); + void embed (const BoundingBox &bb); + void embed (const DPair &p) {embed(p.x(), p.y());} + void embed (const DPair &c, double r); + + template <typename T> + void embed (const Pair<T> &p) {embed(p.x(), p.y());} + + void expand (double m); + bool intersect (const BoundingBox &bbox); + double minX () const {return _ulx;} + double minY () const {return _uly;} + double maxX () const {return _lrx;} + double maxY () const {return _lry;} + double width () const {return _lrx-_ulx;} + double height () const {return _lry-_uly;} + bool valid() const {return _valid;} + bool locked() const {return _locked;} + void lock () {_locked = true;} + void unlock () {_locked = false;} + void invalidate () {_valid = false;} + void operator += (const BoundingBox &bbox); + bool operator == (const BoundingBox &bbox) const; + bool operator != (const BoundingBox &bbox) const; + void scale (double sx, double sy); + void transform (const Matrix &tm); + std::string toSVGViewBox () const; + std::ostream& write (std::ostream &os) const; + XMLElementNode* createSVGRect () const; + + private: + double _ulx, _uly; ///< coordinates of upper left vertex (in PS point units) + double _lrx, _lry; ///< coordinates of lower right vertex (in PS point units) + bool _valid : 1; ///< true if the box coordinates are properly set + bool _locked : 1; ///< if true, the box data is read-only +}; + +IMPLEMENT_OUTPUT_OPERATOR(BoundingBox) + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CMap.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CMap.cpp new file mode 100644 index 00000000000..2c9a22c8fbb --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CMap.cpp @@ -0,0 +1,75 @@ +/************************************************************************* +** CMap.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <algorithm> +#include <sstream> +#include <set> +#include <vector> +#include "CMap.h" +#include "CMapManager.h" +#include "FileFinder.h" +#include "InputReader.h" + +using namespace std; + + +const char* CMap::path () const { + return FileFinder::lookup(name(), "cmap", false); +} + + +const FontEncoding* CMap::findCompatibleBaseFontMap (const PhysicalFont *font, CharMapID &charmapID) const { + return CMapManager::instance().findCompatibleBaseFontMap(font, this, charmapID); +} + +////////////////////////////////////////////////////////////////////// + +/** Returns the RO (Registry-Ordering) string of the CMap. */ +string SegmentedCMap::getROString() const { + if (_registry.empty() || _ordering.empty()) + return ""; + return _registry + "-" + _ordering; +} + + +/** Returns the CID for a given character code. */ +UInt32 SegmentedCMap::cid (UInt32 c) const { + if (_cidranges.valueExists(c)) + return _cidranges.valueAt(c); + if (_basemap) + return _basemap->cid(c); + return 0; +} + + +/** Returns the character code of a base font for a given CID. */ +UInt32 SegmentedCMap::bfcode (UInt32 cid) const { + if (_bfranges.valueExists(cid)) + return _bfranges.valueAt(cid); + if (_basemap) + return _basemap->bfcode(cid); + return 0; +} + + +void SegmentedCMap::write (ostream &os) const { + _cidranges.write(os); +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CMap.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CMap.h new file mode 100644 index 00000000000..5a58ced5f3a --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CMap.h @@ -0,0 +1,116 @@ +/************************************************************************* +** CMap.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_CMAP_H +#define DVISVGM_CMAP_H + +#include <algorithm> +#include <ostream> +#include <vector> +#include "FontEncoding.h" +#include "RangeMap.h" +#include "types.h" + + +struct CMap : public NamedFontEncoding +{ + virtual ~CMap () {} + virtual bool vertical () const =0; + virtual bool mapsToCID () const =0; + virtual const char* path () const; + virtual UInt32 cid (UInt32 c) const =0; + virtual UInt32 bfcode (UInt32 cid) const =0; + virtual std::string getROString () const =0; + virtual const FontEncoding* findCompatibleBaseFontMap (const PhysicalFont *font, CharMapID &charmapID) const; + virtual bool mapsToCharIndex () const {return mapsToCID();} + + Character decode (UInt32 c) const { + if (mapsToCID()) + return Character(Character::INDEX, cid(c)); + return Character(Character::CHRCODE, bfcode(c)); + } +}; + + +struct IdentityCMap : public CMap +{ + UInt32 cid (UInt32 c) const {return c;} + UInt32 bfcode (UInt32 cid) const {return 0;} + std::string getROString () const {return "Adobe-Identity";} + bool mapsToCID() const {return true;} +}; + + +struct IdentityHCMap : public IdentityCMap +{ + bool vertical () const {return false;} + const char* name () const {return "Identity-H";} +}; + + +struct IdentityVCMap : public IdentityCMap +{ + bool vertical () const {return true;} + const char* name () const {return "Identity-V";} +}; + + +struct UnicodeCMap : public CMap +{ + bool vertical () const {return false;} + const char* name () const {return "unicode";} + bool mapsToCID () const {return false;} + const char* path () const {return 0;} + UInt32 cid (UInt32 c) const {return c;} + UInt32 bfcode (UInt32 cid) const {return cid;} + std::string getROString () const {return "";} +}; + + +class SegmentedCMap : public CMap +{ + friend class CMapReader; + + public: + SegmentedCMap (const std::string &name) : _name(name), _basemap(0), _vertical(false), _mapsToCID(true) {} + const char* name () const {return _name.c_str();} + UInt32 cid (UInt32 c) const; + UInt32 bfcode (UInt32 cid) const; + void addCIDRange (UInt32 first, UInt32 last, UInt32 cid) {_cidranges.addRange(first, last, cid);} + void addBFRange (UInt32 first, UInt32 last, UInt32 chrcode) {_bfranges.addRange(first, last, chrcode);} + void write (std::ostream &os) const; + bool vertical () const {return _vertical;} + bool mapsToCID () const {return _mapsToCID;} + size_t numCIDRanges () const {return _cidranges.size();} + size_t numBFRanges () const {return _bfranges.size();} + std::string getROString () const; + + private: + std::string _name; + std::string _registry; + std::string _ordering; + CMap *_basemap; + bool _vertical; + bool _mapsToCID; // true: chrcode->CID, false: CID->charcode + RangeMap _cidranges; + RangeMap _bfranges; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CMapManager.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CMapManager.cpp new file mode 100644 index 00000000000..d3b3fd399d6 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CMapManager.cpp @@ -0,0 +1,142 @@ +/************************************************************************* +** CMapManager.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <sstream> +#include "CMap.h" +#include "CMapManager.h" +#include "CMapReader.h" +#include "Font.h" +#include "FileFinder.h" +#include "Message.h" + +using namespace std; + + +CMapManager::~CMapManager () { + for (CMaps::iterator it=_cmaps.begin(); it != _cmaps.end(); ++it) + delete it->second; +} + + +CMapManager& CMapManager::instance () { + static CMapManager cmm; + return cmm; +} + + +/** Loads a cmap and returns the corresponding object. */ +CMap* CMapManager::lookup (const string &name) { + CMaps::iterator it = _cmaps.find(name); + if (it != _cmaps.end()) + return it->second; + + if (_includedCMaps.find(name) != _includedCMaps.end()) { + _level = 0; + ostringstream oss; + oss << "circular reference of CMap " << name; + throw CMapReaderException(oss.str()); + } + + CMap *cmap=0; + if (name == "Identity-H") + cmap = new IdentityHCMap; + else if (name == "Identity-V") + cmap = new IdentityVCMap; + else if (name == "unicode") + cmap = new UnicodeCMap; + if (cmap) { + _cmaps[name] = cmap; + return cmap; + } + // Load cmap data of file <name> and also process all cmaps referenced by operator "usecmap". + // This can lead to a sequence of further calls of lookup(). In order to prevent infinite loops + // due to (disallowed) circular cmap inclusions, we keep track of all cmaps processed during + // a sequence of inclusions. + _includedCMaps.insert(name); // save name of current cmap being processed + _level++; // increase nesting level + try { + CMapReader reader; + if (!(cmap = reader.read(name))) { + _level = 1; + Message::wstream(true) << "CMap file '" << name << "' not found\n"; + } + _cmaps[name] = cmap; + } + catch (const CMapReaderException &e) { + Message::estream(true) << "CMap file " << name << ": " << e.what() << "\n"; + } + if (--_level == 0) // back again at initial nesting level? + _includedCMaps.clear(); // => names of included cmaps are no longer needed + return cmap; +} + + +/** Looks for a base font CMap and a compatible encoding table in a given font. The CMap describe + * the mapping from CIDs to character codes where the latter are relative to the encoding table + * identified by charmapID. + * cmap:X->CID, bfmap:CID->Y, enctable:Y->CharCode + * @param[in] font look for available encoding tables in this font + * @param[in] cmap take the source registry-ordering pair from this CMap + * @param[out] charmapID ID of the compatible character map found in the given font + * @return base font CMap that maps from CIDs to character codes */ +const CMap* CMapManager::findCompatibleBaseFontMap (const PhysicalFont *font, const CMap *cmap, CharMapID &charmapID) { + if (!font || !cmap) + return 0; + + static const struct CharMapIDToEncName { + CharMapID id; + const char *encname; + } encodings[] = { + {CharMapID::WIN_UCS4, "UCS4"}, + {CharMapID::WIN_UCS2, "UCS2"}, + {CharMapID::WIN_SHIFTJIS, "90ms-RKSJ"}, + {CharMapID::WIN_PRC, "GBK-EUC"}, + {CharMapID::WIN_BIG5, "ETen-B5"}, + {CharMapID::WIN_WANSUNG, "KSCms-UHC"}, + {CharMapID::MAC_JAPANESE, "90pv-RKSJ"}, + {CharMapID::MAC_TRADCHINESE, "B5pc"}, + {CharMapID::MAC_SIMPLCHINESE, "GBpc-EUC"}, + {CharMapID::MAC_KOREAN, "KSCpc-EUC"} + }; + + // get IDs of all available charmaps in font + vector<CharMapID> charmapIDs; + font->collectCharMapIDs(charmapIDs); + + const bool is_unicode_map = dynamic_cast<const UnicodeCMap*>(cmap); + const size_t num_encodings = is_unicode_map ? 2 : sizeof(encodings)/sizeof(CharMapIDToEncName); + + // try to find a compatible encoding CMap + const string ro = cmap->getROString(); + for (const CharMapIDToEncName *enc=encodings; enc < enc+num_encodings; enc++) { + for (size_t i=0; i < charmapIDs.size(); i++) { + if (enc->id == charmapIDs[i]) { + string cmapname = ro+"-"+enc->encname; + if (is_unicode_map || FileFinder::lookup(cmapname, "cmap", false)) { + charmapID = enc->id; + return is_unicode_map ? cmap : lookup(cmapname); + } + } + } + } + return 0; +} + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CMapManager.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CMapManager.h new file mode 100644 index 00000000000..5388cb90f94 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CMapManager.h @@ -0,0 +1,52 @@ +/************************************************************************* +** CMapManager.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_CMAPMANAGER_H +#define DVISVGM_CMAPMANAGER_H + +#include <map> +#include <set> +#include <string> +#include "CharMapID.h" +#include "Font.h" + +struct CMap; +struct FontEncoding; +class FontEncodingPair; + +class CMapManager +{ + typedef std::map<std::string, CMap*> CMaps; + public: + ~CMapManager (); + CMap* lookup (const std::string &name); + const CMap* findCompatibleBaseFontMap (const PhysicalFont *font, const CMap *cmap, CharMapID &charmapID); + static CMapManager& instance (); + + protected: + CMapManager () : _level(0) {} + + private: + CMaps _cmaps; ///< loaded cmaps + int _level; ///< current inclusion depth; >0 if a cmap loaded by "usecmap" is being processed + std::set<std::string> _includedCMaps; ///< names of cmaps loaded by "usecmap" +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CMapReader.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CMapReader.cpp new file mode 100644 index 00000000000..f655eca5139 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CMapReader.cpp @@ -0,0 +1,265 @@ +/************************************************************************* +** CMapReader.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <fstream> +#include <sstream> +#include "CMap.h" +#include "CMapManager.h" +#include "CMapReader.h" +#include "FileFinder.h" +#include "InputReader.h" + +using namespace std; + + +CMapReader::CMapReader () : _cmap(0), _inCMap(false) +{ +} + + +/** Reads a cmap file and returns the corresponding CMap object. + * @param fname[in] name/path of cmap file + * @return CMap object representing the read data, or 0 if file could not be read */ +CMap* CMapReader::read (const string &fname) { + if (const char *path = FileFinder::lookup(fname.c_str(), "cmap", false)) { + ifstream ifs(path); + if (ifs) + return read(ifs, fname); + } + _tokens.clear(); + return 0; +} + + +/** Reads cmap data from a given stream and returns the corresponding CMap object. + * @param is[in] cmap data input stream + * @param is[in] name name of CMap to be read + * @return CMap object representing the read data, or 0 if file could not be read */ +CMap* CMapReader::read (std::istream& is, const string &name) { + _tokens.clear(); + _cmap = new SegmentedCMap(name); + StreamInputReader ir(is); + try { + while (ir) { + Token token(ir); + if (token.type() == Token::TT_EOF) + break; + if (_inCMap) { + if (token.type() == Token::TT_OPERATOR) + executeOperator(token.strvalue(), ir); + else + _tokens.push_back(token); + } + else if (token.type() == Token::TT_OPERATOR && token.strvalue() == "begincmap") + _inCMap = true; + } + } + catch (CMapReaderException &e) { + delete _cmap; + _cmap = 0; + throw; + } + return _cmap; +} + + +void CMapReader::executeOperator (const string &op, InputReader &ir) { + const struct Operator { + const char *name; + void (CMapReader::*handler)(InputReader&); + } operators[] = { + {"beginbfchar", &CMapReader::op_beginbfchar}, + {"beginbfrange", &CMapReader::op_beginbfrange}, + {"begincidrange", &CMapReader::op_begincidrange}, + {"def", &CMapReader::op_def}, + {"endcmap", &CMapReader::op_endcmap}, + {"usecmap", &CMapReader::op_usecmap}, + }; + + for (size_t i=0; i < sizeof(operators)/sizeof(Operator); i++) { + if (operators[i].name == op) { + (this->*operators[i].handler)(ir); + break; + } + } + _tokens.clear(); +} + + +void CMapReader::op_def (InputReader&) { + size_t size = _tokens.size(); + if (size >= 2) { + const string val = popToken().strvalue(); + const string name = popToken().strvalue(); + if (name == "CMapName") { + if (val != _cmap->_name) + throw CMapReaderException("CMapName doesn't match filename"); + } + else if (name == "WMode") { + if (val == "0" || val == "1") + _cmap->_vertical = (val == "1"); + else + throw CMapReaderException("invalid WMode (0 or 1 expected)"); + } + else if (name == "Registry") + _cmap->_registry = val; + else if (name == "Ordering") + _cmap->_ordering = val; + } +} + + +void CMapReader::op_endcmap (InputReader &) { + _inCMap = false; +} + + +void CMapReader::op_usecmap (InputReader &) { + if (_tokens.empty()) + throw CMapReaderException("stack underflow while processing usecmap"); + else { + const string name = popToken().strvalue(); + if ((_cmap->_basemap = CMapManager::instance().lookup(name)) == 0) + throw CMapReaderException("CMap file '"+name+"' not found"); + } +} + + +static UInt32 parse_hexentry (InputReader &ir) { + ir.skipSpace(); + if (ir.get() != '<') + throw CMapReaderException("invalid range entry ('<' expected)"); + int val; + if (!ir.parseInt(16, val)) + throw CMapReaderException("invalid range entry (hexadecimal value expected)"); + if (ir.get() != '>') + throw CMapReaderException("invalid range entry ('>' expected)"); + return UInt32(val); +} + + +void CMapReader::op_begincidrange (InputReader &ir) { + if (!_tokens.empty() && _tokens.back().type() == Token::TT_NUMBER) { + ir.skipSpace(); + int num_entries = static_cast<int>(popToken().numvalue()); + while (num_entries > 0 && ir.peek() == '<') { + UInt32 first = parse_hexentry(ir); + UInt32 last = parse_hexentry(ir); + UInt32 cid; + ir.skipSpace(); + if (!ir.parseUInt(cid)) + throw CMapReaderException("invalid range entry (decimal value expected)"); + _cmap->addCIDRange(first, last, cid); + ir.skipSpace(); + } + } +} + + +void CMapReader::op_beginbfrange (InputReader &ir) { + if (!_tokens.empty() && _tokens.back().type() == Token::TT_NUMBER) { + ir.skipSpace(); + int num_entries = static_cast<int>(popToken().numvalue()); + while (num_entries > 0 && ir.peek() == '<') { + UInt32 first = parse_hexentry(ir); + UInt32 last = parse_hexentry(ir); + UInt32 chrcode = parse_hexentry(ir); + _cmap->addBFRange(first, last, chrcode); + ir.skipSpace(); + } + _cmap->_mapsToCID = false; + } +} + + +void CMapReader::op_beginbfchar (InputReader &ir) { + if (!_tokens.empty() && _tokens.back().type() == Token::TT_NUMBER) { + ir.skipSpace(); + int num_entries = static_cast<int>(popToken().numvalue()); + while (num_entries > 0 && ir.peek() == '<') { + UInt32 cid = parse_hexentry(ir); + ir.skipSpace(); + if (ir.peek() == '/') + throw CMapReaderException("mapping of named characters is not supported"); + UInt32 chrcode = parse_hexentry(ir); + _cmap->addBFRange(cid, cid, chrcode); + ir.skipSpace(); + } + _cmap->_mapsToCID = false; + } +} + +//////////////////////////////////////////////////////////////////////////////////// + +CMapReader::Token::Token (InputReader &ir) { + scan(ir); +} + + +/** Reads the next characters from the input stream to create a token. */ +void CMapReader::Token::scan (InputReader &ir) { + ir.skipSpace(); + while (ir.peek() == '%') { // comment? + while (ir.peek() != '\n') // => skip until end of line + ir.get(); + ir.skipSpace(); + } + ir.skipSpace(); + if (ir.eof()) + _type = TT_EOF; + else if (ir.peek() == '/') { // PS name? + ir.get(); + while (!strchr("[]{}<>", ir.peek()) && !isspace(ir.peek())) + _value += ir.get(); + _type = TT_NAME; + } + else if (ir.peek() == '(') { // string? + ir.get(); + int level=0; + while (ir.peek() != ')' || level > 0) { + if (ir.peek() == '(') + level++; + else if (ir.peek() == ')' && level > 0) + level--; + _value += ir.get(); + } + ir.get(); // skip ')' + _type = TT_STRING; + } + else if (strchr("[]{}<>", ir.peek())) { // PS delimiter + _value = ir.get(); + _type = TT_DELIM; + } + else if (isdigit(ir.peek())) { // number? + double val; + if (ir.parseDouble(val)) { + ostringstream oss; + oss << val; + _value = oss.str(); + _type = TT_NUMBER; + } + } + else { + while (!strchr("[]{}<>", ir.peek()) && !isspace(ir.peek())) + _value += ir.get(); + _type = TT_OPERATOR; + } +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CMapReader.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CMapReader.h new file mode 100644 index 00000000000..a7a243999d7 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CMapReader.h @@ -0,0 +1,81 @@ +/************************************************************************* +** CMapReader.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_CMAPREADER_H +#define DVISVGM_CMAPREADER_H + +#include <cstdlib> +#include <istream> +#include <string> +#include <vector> +#include "MessageException.h" + + +struct CMap; +class InputReader; + +class CMapReader +{ + class Token + { + public: + enum Type {TT_UNKNOWN, TT_EOF, TT_DELIM, TT_NUMBER, TT_STRING, TT_NAME, TT_OPERATOR}; + + public: + Token (InputReader &ir); + void scan (InputReader &ir); + Type type () const {return _type;} + const std::string& strvalue () const {return _value;} + double numvalue () const {return std::atof(_value.c_str());} + + private: + Type _type; + std::string _value; + }; + + public: + CMapReader (); + CMap* read (const std::string &fname); + CMap* read (std::istream &is, const std::string &name); + + protected: + Token popToken () {Token t=_tokens.back(); _tokens.pop_back(); return t;} + void executeOperator (const std::string &op, InputReader &ir); + void op_beginbfchar (InputReader &ir); + void op_beginbfrange (InputReader &ir); + void op_begincidrange (InputReader &ir); + void op_def (InputReader &ir); + void op_endcmap (InputReader &ir); + void op_usecmap (InputReader &ir); + + private: + SegmentedCMap *_cmap; ///< CMap being read + std::vector<Token> _tokens; ///< stack of tokens to be processed + bool _inCMap; ///< operator begincmap has been executed +}; + + + +struct CMapReaderException : public MessageException +{ + CMapReaderException (const std::string &msg) : MessageException(msg) {} +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CRC32.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CRC32.cpp new file mode 100644 index 00000000000..09670551baf --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CRC32.cpp @@ -0,0 +1,113 @@ +/************************************************************************* +** CRC32.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <cstring> +#include "CRC32.h" + +using namespace std; + + +CRC32::CRC32 () : _crc32(0xFFFFFFFF) +{ + const UInt32 poly = 0xEDB88320; + for (int i = 0; i < 256; i++) { + UInt32 crc=i; + for (int j=8; j > 0; j--) { + if (crc & 1) + crc = (crc >> 1) ^ poly; + else + crc >>= 1; + } + _tab[i] = crc; + } +} + + +/** Resets CRC32 sum to 0. */ +void CRC32::reset () { + _crc32 = 0xFFFFFFFF; +} + + +/** Appends string bytes to the previous data and computes the resulting checksum. + * @param[in] data string to update the checksum with */ +void CRC32::update (const char *data) { + update((const UInt8*)data, strlen(data)); +} + + +/** Appends a single value to the previous data and computes the resulting checksum. + * @param[in] n value to update the checksum with + * @param[in] bytes number of bytes to consider (0-4) */ +void CRC32::update (UInt32 n, int bytes) { + for (int i=bytes-1; i >= 0; --i) { + UInt8 byte = UInt8((n >> (8*i)) & 0xff); + update(&byte, 1); + } +} + + +/** Appends a sequence of bytes to the previous data and computes the resulting checksum. + * @param[in] bytes pointer to array of bytes + * @param[in] len number of bytes in array */ +void CRC32::update (const UInt8 *bytes, size_t len) { + for (size_t i=0; i < len; ++i) + _crc32 = ((_crc32 >> 8) & 0x00FFFFFF) ^ _tab[(_crc32 ^ *bytes++) & 0xFF]; +} + + +void CRC32::update (istream &is) { + char buf [4096]; + while (is) { + is.read(buf, 4096); + update((UInt8*)buf, is.gcount()); + } +} + + +/** Returns the checksum computed from values added with the update functions. */ +UInt32 CRC32::get () const { + return _crc32 ^ 0xFFFFFFFF; +} + + +/** Computes the CRC32 checksum of a sequence of bytes. + * @param[in] bytes pointer to array of bytes + * @param[in] len number of bytes in array + * @return CRC32 checksum */ +UInt32 CRC32::compute (const UInt8 *bytes, size_t len) { + CRC32 crc32; + crc32.update(bytes, len); + return crc32.get(); +} + + +/** Computes the CRC32 checksum of a string. */ +UInt32 CRC32::compute (const char *str) { + return compute((const UInt8*)str, strlen(str)); +} + + +UInt32 CRC32::compute (istream &is) { + CRC32 crc32; + crc32.update(is); + return crc32.get(); +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CRC32.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CRC32.h new file mode 100644 index 00000000000..3eacb17bf33 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CRC32.h @@ -0,0 +1,51 @@ +/************************************************************************* +** CRC32.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef CRC32_H +#define CRC32_H + +#include <cstdlib> +#include <istream> +#include "types.h" + +class CRC32 +{ + public: + CRC32 (); + void update (const UInt8 *bytes, size_t len); + void update (UInt32 n, int bytes=4); + void update (const char *str); + void update (std::istream &is); + UInt32 get () const; + void reset (); + static UInt32 compute (const UInt8 *bytes, size_t len); + static UInt32 compute (const char *str); + static UInt32 compute (std::istream &is); + + protected: + CRC32 (const CRC32 &crc32) {} + + private: + UInt32 _crc32; + UInt32 _tab[256]; +}; + + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Calculator.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Calculator.cpp new file mode 100644 index 00000000000..d90405e8610 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Calculator.cpp @@ -0,0 +1,180 @@ +/************************************************************************* +** Calculator.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <cmath> +#include <sstream> +#include "Calculator.h" + +using namespace std; + +// token types +const char END = 0; +const char NUMBER = 1; +const char NAME = 2; + + +#include <iostream> + + +/** Evaluates a given arithmetic expression and returns its value. + * The evaluator is implemented as a recursive descent parser. + * @param[in] is reads expression from this stream + * @return expression value */ +double Calculator::eval (istream &is) { + double ret = expr(is, false); + if (lookAhead(is) > 0) + throw CalculatorException("expression syntax error"); + return ret; +} + + +/** Evaluates a given arithmetic expression and returns its value. + * @param[in] expr expression to evaluate + * @return expression value */ +double Calculator::eval (const string &expr) { + istringstream iss; + iss.str(expr); + return eval(iss); +} + + +/** Evaluates the root rule of the expression grammar. */ +double Calculator::expr (istream &is, bool skip) { // expr: + double left = term(is, skip); + for (;;) { + switch (lookAhead(is)) { + case '+': left += term(is, true); break; // term '+' term => $1 + $3 + case '-': left -= term(is, true); break; // term '-' term => $1 - $3 + default : return left; // term => $1 + } + } +} + + +double Calculator::term (istream &is, bool skip) { // term: + double left = prim(is, skip); + for (;;) + switch (lookAhead(is)) { + case '*': left *= prim(is, true); break; // prim '*' prim => $1 * $3 + case '/': { // prim '/' prim => $1 / $3 + double denom = prim(is, true); + if (denom == 0) + throw CalculatorException("division by zero"); + left /= denom; + break; + } + case '%': { // prim '%' prim => $1 mod $3 + double denom = prim(is, true); + if (denom == 0) + throw CalculatorException("division by zero"); + left -= denom*floor(left/denom); + break; + } + default: // prim => $1 + return left; + } +} + + +double Calculator::prim (istream &is, bool skip) { // prim: + if (skip) + lex(is); + switch (lookAhead(is)) { + case NUMBER: { // NUMBER => $1 + lex(is); + double ret = _numValue; + if (lookAhead(is) == NAME) { // NUMBER NAME => $1 * $2 + lex(is); + ret *= getVariable(_strValue); + } + return ret; + } + case NAME: { // NAME => getVariable($1) + lex(is); + return getVariable(_strValue); + } + case '-': // '-' prim => -$2 + return -prim(is, true); + case '(': { // '(' expr ')' => $2 + double e = expr(is, true); + if (lookAhead(is) != ')') + throw CalculatorException("')' expected"); + lex(is); + return e; + } + default: + throw CalculatorException("primary expression expected"); + } +} + + +/** Determines type of next token without swallowing it. That means + * the same token will be read again next time. */ +char Calculator::lookAhead (istream &is) { + while (isspace(is.peek())) // skip whitespace + is.get(); + if (is.eof()) + return END; + int c = is.peek(); + if (isdigit(c) || c == '.') + return NUMBER; + if (isalpha(c)) + return NAME; + return char(c); +} + + +/** Reads next token and returns its type. The token value is either assigned + * to the object members numValue or strValue depending on the type. The token + * type is represented by a unique integer. In contrast to method 'lookAhead' + * lex consumes the read token. + * @param[in] is next token is read from this stream + * @return token type */ +char Calculator::lex (istream &is) { + int tokenType = lookAhead(is); + switch (tokenType) { + case NUMBER: + is >> _numValue; + break; + case NAME: { + _strValue.clear(); + while (isalpha(is.peek())) + _strValue += char(is.get()); + break; + } + default: + tokenType = is.get(); + } + return char(tokenType); +} + + +/** Returns the value of a previously defined variable. If there + * is no variable of the given name, a CalculatorException is thrown. + * @param[in] name name of variable + * @return assigned value */ +double Calculator::getVariable (const string &name) const { + map<string,double>::const_iterator it = _variables.find(name); + if (it == _variables.end()) + throw CalculatorException("undefined variable '" + name + "'"); + return it->second; +} + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Calculator.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Calculator.h new file mode 100644 index 00000000000..76b07e40a60 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Calculator.h @@ -0,0 +1,57 @@ +/************************************************************************* +** Calculator.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_CALCULATOR_H +#define DVISVGM_CALCULATOR_H + +#include <istream> +#include <map> +#include <string> +#include "MessageException.h" + + +struct CalculatorException : public MessageException +{ + CalculatorException (const std::string &msg) : MessageException(msg) {} +}; + +class Calculator +{ + public: + Calculator () : _numValue(0) {} + double eval (std::istream &is); + double eval (const std::string &expr); + void setVariable (const std::string &name, double value) {_variables[name] = value;} + double getVariable (const std::string &name) const; + + protected: + double expr (std::istream &is, bool skip); + double term (std::istream &is, bool skip); + double prim (std::istream &is, bool skip); + char lex (std::istream &is); + char lookAhead (std::istream &is); + + private: + std::map<std::string,double> _variables; + double _numValue; + std::string _strValue; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CharMapID.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CharMapID.cpp new file mode 100644 index 00000000000..0bcd054104f --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CharMapID.cpp @@ -0,0 +1,36 @@ +/************************************************************************* +** CharMapID.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include "CharMapID.h" + +const CharMapID CharMapID::NONE(0, 0); +const CharMapID CharMapID::WIN_SYMBOL(3, 0); +const CharMapID CharMapID::WIN_UCS2(3, 1); +const CharMapID CharMapID::WIN_SHIFTJIS(3, 2); +const CharMapID CharMapID::WIN_PRC(3, 3); +const CharMapID CharMapID::WIN_BIG5(3, 4); +const CharMapID CharMapID::WIN_WANSUNG(3, 5); +const CharMapID CharMapID::WIN_JOHAB(3, 6); +const CharMapID CharMapID::WIN_UCS4(3, 10); + +const CharMapID CharMapID::MAC_JAPANESE(1, 1); +const CharMapID CharMapID::MAC_TRADCHINESE(1, 2); +const CharMapID CharMapID::MAC_KOREAN(1, 3); +const CharMapID CharMapID::MAC_SIMPLCHINESE(1, 25); diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CharMapID.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CharMapID.h new file mode 100644 index 00000000000..0b4e6bf7e17 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CharMapID.h @@ -0,0 +1,59 @@ +/************************************************************************* +** CharMapID.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_CHARMAPID_H +#define DVISVGM_CHARMAPID_H + +#include "types.h" + +/** Represents a character map of a font. */ +struct CharMapID { + CharMapID () : platform_id(0), encoding_id(0) {} + CharMapID (UInt8 plf_id, UInt8 enc_id) : platform_id(plf_id), encoding_id(enc_id) {} + + bool operator == (const CharMapID &ids) const { + return platform_id == ids.platform_id && encoding_id == ids.encoding_id; + } + + bool operator != (const CharMapID &ids) const { + return platform_id != ids.platform_id || encoding_id != ids.encoding_id; + } + + bool valid () const {return platform_id != 0 && encoding_id != 0;} + + static const CharMapID NONE; + static const CharMapID WIN_SYMBOL; + static const CharMapID WIN_UCS2; + static const CharMapID WIN_SHIFTJIS; + static const CharMapID WIN_PRC; + static const CharMapID WIN_BIG5; + static const CharMapID WIN_WANSUNG; + static const CharMapID WIN_JOHAB; + static const CharMapID WIN_UCS4; + static const CharMapID MAC_JAPANESE; + static const CharMapID MAC_TRADCHINESE; + static const CharMapID MAC_SIMPLCHINESE; + static const CharMapID MAC_KOREAN; + + UInt8 platform_id; + UInt8 encoding_id; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Character.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Character.h new file mode 100644 index 00000000000..7ad3a7e36ff --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Character.h @@ -0,0 +1,46 @@ +/************************************************************************* +** Character.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_CHARACTER_H +#define DVISVGM_CHARACTER_H + +#include "types.h" + +class Character +{ + public: + enum Type {CHRCODE, INDEX, NAME}; + Character (const char *name) : _type(NAME), _name(name) {} + Character (Type type, UInt32 val) : _type(type), _number(val) {} + Character (Type type, const Character &c) : _type(type), _number(c.type() != NAME ? c._number : 0) {} + Type type () const {return _type;} + const char* name () const {return _name;} + UInt32 number () const {return _number;} + + private: + Type _type; + union { + UInt32 _number; + const char *_name; + }; +}; + +#endif + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CmdLineParserBase.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CmdLineParserBase.cpp new file mode 100644 index 00000000000..da935b4b0dc --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CmdLineParserBase.cpp @@ -0,0 +1,372 @@ +/************************************************************************* +** CmdLineParserBase.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <algorithm> +#include <cstdio> +#include <cstring> +#include "CmdLineParserBase.h" +#include "InputBuffer.h" +#include "InputReader.h" +#include "Message.h" + +using namespace std; + +void CmdLineParserBase::init () { + _error = false; + _files.clear(); +} + + +/** Parses all options given on the command line. + * @param[in] argc number of command-line arguments + * @param[in] argv array providing the command-line arguments + * @param[in] printErrors enable/disable printing of error messages */ +void CmdLineParserBase::parse (int argc, char **argv, bool printErrors) { + init(); + _printErrors = printErrors; + bool filesOnly = false; // + for (int i=1; i < argc; i++) { + CharInputBuffer ib(argv[i], strlen(argv[i])); + BufferInputReader ir(ib); + if (filesOnly || ir.peek() != '-') + _files.push_back(argv[i]); + else { + ir.get(); + if (ir.peek() == '-') { + // scan long option + ir.get(); + if (ir.eof()) // "--" only + filesOnly = true; // treat all following options as filenames + else { + string longname; + while (isalnum(ir.peek()) || ir.peek() == '-') + longname += char(ir.get()); + if (const Option *opt = option(longname)) + (*opt->handler)(this, ir, *opt, true); + else if (!_error) { + if (printErrors) + Message::estream(false) << "unknown option --" << longname << '\n'; + _error = true; + } + } + } + else { + // scan short option(s) + bool combined = false; // multiple short options combined, e.g -abc + do { + int shortname = ir.get(); + if (const Option *opt = option(shortname)) { + if (!combined || opt->argmode == ARG_NONE) { + if (opt->argmode == ARG_REQUIRED && strlen(argv[i]) == 2) { // required argument separated by whitespace? + if (i+1 < argc && argv[i+1][0] != '-') + ib.assign(argv[++i]); + } + (*opt->handler)(this, ir, *opt, false); + if (opt->argmode == ARG_NONE) + combined = true; + } + else { + if (printErrors) + Message::estream(false) << "option -" << char(shortname) << " must be given separately\n"; + _error = true; + } + } + else if (shortname > 0) { + if (printErrors) + Message::estream(false) << "unknown option -" << char(shortname) << '\n'; + _error = true; + } + } + while (!_error && combined && !ir.eof()); + } + } + } +} + + +/** Prints an error message to stdout. + * @param[in] opt error occurred in this option + * @param[in] longopt the long option name was scanned + * @param[in] msg message to be printed */ +void CmdLineParserBase::error (const Option &opt, bool longopt, const char *msg) const { + if (_printErrors) { + Message::estream(false) << "option "; + if (longopt) + Message::estream(false) << "--" << opt.longname; + else + Message::estream(false) << '-' << opt.shortname; + Message::estream(false) << ": " << msg << '\n'; + } + _error = true; +} + + +#if 0 +#include <iostream> + +/** Lists the scanned filenames. Just for debugging purposes. */ +void CmdLineParserBase::status () const { + cout << "file names:\n"; + for (size_t i=0; i < _files.size(); i++) + cout << " " << _files[i] << endl; + cout << endl; +} +#endif + + +/** Returns the option information of a given short option name. + * If the option name can't be found 0 is returned. + * @param[in] shortname short version of the option without leading hyphen (e.g. p, not -p) */ +const CmdLineParserBase::Option* CmdLineParserBase::option (char shortname) const { + size_t numopts; // number of available options + for (const Option *opts = options(&numopts); numopts > 0; ++opts) { + if (opts->shortname == shortname) + return opts; + numopts--; + } + return 0; +} + + +/** Returns the option information of a given long option name. + * Parameter 'longname' hasn't to be the complete long option name. The function looks up + * all options that start with 'longname'. If a unique or an exact match was found, it's returned. + * Otherwise, the return value is 0. + * @param[in] longname long version of the option without leading hyphens (e.g. param, not --param) */ +const CmdLineParserBase::Option* CmdLineParserBase::option (const string &longname) const { + vector<const Option*> matches; // all matching options + size_t len = longname.length(); + size_t numopts; // number of available options + for (const Option *opts = options(&numopts); numopts > 0; ++opts) { + if (string(opts->longname, len) == longname) { + if (len == strlen(opts->longname)) // exact match? + return opts; + matches.push_back(opts); + } + numopts--; + } + switch (matches.size()) { + default: + if (_printErrors) { + Message::estream(false) << "option --" << longname << " is ambiguous ("; + for (size_t i=0; i < matches.size(); i++) { + if (i > 0) + Message::estream(false) << ", "; + Message::estream(false) << matches[i]->longname; + } + Message::estream(false) << ")\n"; + } + _error = true; + + case 0 : return 0; + case 1 : return matches[0]; + } +} + + +/** Returns true if a valid separator between option and argument was found. + * Arguments of long options are preceded by a '='. The argument of a short option + * directly follows the option without a separation character. + * @param[in] ir argument is read from this InputReader + * @param[in] opt scans argument of this option + * @param[in] longopt true if the long option name was given */ +bool CmdLineParserBase::checkArgPrefix (InputReader &ir, const Option &opt, bool longopt) const { + if (longopt) { + if (ir.peek() == '=') + ir.get(); + else { + error(opt, longopt, "'=' expected"); + return false; + } + } + return true; +} + + +/** Returns true if a given option has no argument, .e.g. -p or --param. + * @param[in] ir argument is read from this InputReader + * @param[in] opt scans argument of this option + * @param[in] longopt true if the long option name was given */ +bool CmdLineParserBase::checkNoArg (InputReader &ir, const Option &opt, bool longopt) const { + if (ir.eof()) + return true; + error(opt, longopt, "no argument expected"); + return false; +} + + +/** Gets an integer argument of a given option, e.g. -p5 or --param=5. + * @param[in] ir argument is read from this InputReader + * @param[in] opt scans argument of this option + * @param[in] longopt true if the long option name was given + * @param[out] arg the scanned option argument + * @return true if argument could be scanned without errors */ +bool CmdLineParserBase::getIntArg (InputReader &ir, const Option &opt, bool longopt, int &arg) const { + if (checkArgPrefix(ir, opt, longopt)) { + if (ir.parseInt(arg) && ir.eof()) + return true; + error(opt, longopt, "integer value expected"); + } + return false; +} + + +/** Gets an unsigned integer argument of a given option, e.g. -p5 or --param=5. + * @param[in] ir argument is read from this InputReader + * @param[in] opt scans argument of this option + * @param[in] longopt true if the long option name was given + * @param[out] arg the scanned option argument + * @return true if argument could be scanned without errors */ +bool CmdLineParserBase::getUIntArg (InputReader &ir, const Option &opt, bool longopt, unsigned &arg) const { + if (checkArgPrefix(ir, opt, longopt)) { + if (ir.parseUInt(arg) && ir.eof()) + return true; + error(opt, longopt, "unsigned integer value expected"); + } + return false; +} + + +/** Gets a double (floating point) argument of a given option, e.g. -p2.5 or --param=2.5. + * @param[in] ir argument is read from this InputReader + * @param[in] opt scans argument of this option + * @param[in] longopt true if the long option name was given + * @param[out] arg the scanned option argument + * @return true if argument could be scanned without errors */ +bool CmdLineParserBase::getDoubleArg (InputReader &ir, const Option &opt, bool longopt, double &arg) const { + if (checkArgPrefix(ir, opt, longopt)) { + if (ir.parseDouble(arg) != 0 && ir.eof()) + return true; + error(opt, longopt, "floating point value expected"); + } + return false; +} + + +/** Gets a string argument of a given option, e.g. -pstr or --param=str. + * @param[in] ir argument is read from this InputReader + * @param[in] opt scans argument of this option + * @param[in] longopt true if the long option name was given + * @param[out] arg the scanned option argument + * @return true if argument could be scanned without errors */ +bool CmdLineParserBase::getStringArg (InputReader &ir, const Option &opt, bool longopt, string &arg) const { + if (checkArgPrefix(ir, opt, longopt)) { + arg.clear(); + while (!ir.eof()) + arg += char(ir.get()); + if (!arg.empty()) + return true; + error(opt, longopt, "string argument expected"); + } + return false; +} + + +/** Gets a boolean argument of a given option, e.g. -pyes or --param=yes. + * @param[in] ir argument is read from this InputReader + * @param[in] opt scans argument of this option + * @param[in] longopt true if the long option name was given + * @param[out] arg the scanned option argument + * @return true if argument could be scanned without errors */ +bool CmdLineParserBase::getBoolArg (InputReader &ir, const Option &opt, bool longopt, bool &arg) const { + if (checkArgPrefix(ir, opt, longopt)) { + string str; + while (!ir.eof()) + str += char(ir.get()); + if (str == "yes" || str == "y" || str == "true" || str == "1") { + arg = true; + return true; + } + else if (str == "no" || str == "n" || str == "false" || str == "0") { + arg = false; + return true; + } + error(opt, longopt, "boolean argument expected (yes, no, true, false, 0, 1)"); + } + return false; +} + + +/** Gets a (single) character argument of a given option, e.g. -pc or --param=c. + * @param[in] ir argument is read from this InputReader + * @param[in] opt scans argument of this option + * @param[in] longopt true if the long option name was given + * @param[out] arg the scanned option argument + * @return true if argument could be scanned without errors */ +bool CmdLineParserBase::getCharArg (InputReader &ir, const Option &opt, bool longopt, char &arg) const { + if (checkArgPrefix(ir, opt, longopt)) { + arg = char(ir.get()); + if (arg >= 0 && ir.eof()) + return true; + error(opt, longopt, "character argument expected"); + } + return false; +} + + +/** Compares the short option characters of two help lines. + * @return true if line1 should appear before line2 */ +static bool cmp_short (const char *line1, const char *line2) { + if (*line1 != 'o' || *line2 != 'o' || (line1[1] == ' ' && line2[1] == ' ')) + return strcmp(line1, line2) < 0; + char lopt1 = tolower(line1[2]); + char lopt2 = tolower(line2[2]); + if (lopt1 == lopt2) // same character but different case? + return line1[2] > line2[2]; // line with lower-case letter first + return lopt1 < lopt2; +} + + +/** Compares the long option names of two help lines. + * @return true if line1 should appear before line2 */ +static bool cmp_long (const char *line1, const char *line2) { + if (*line1 != 'o' || *line2 != 'o') + return strcmp(line1, line2) < 0; + return strcmp(line1+6, line2+6) < 0; +} + + +/** Prints the help text to stdout. + * @param[in] mode format of help text */ +void CmdLineParserBase::help (int mode) const { + size_t numlines; + const char **lines = helplines(&numlines); + if (mode == 0) { // list options with section headers + for (size_t i=0; i < numlines; i++) { + switch (*lines[i]) { + case 's': fputc('\n', stdout); break; // section header + case 'o': fputs(" ", stdout); break; // option info + } + puts(lines[i]+1); + } + } + else { + vector<const char*> linevec(lines, lines+numlines); + sort(linevec.begin(), linevec.end(), mode == 1 ? cmp_short : cmp_long); + for (vector<const char*>::iterator it=linevec.begin(); it != linevec.end(); ++it) { + if (**it != 's') { // skip section headers + puts(*it+1); + if (**it == 'd') + puts("\nOptions:"); + } + } + } +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CmdLineParserBase.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CmdLineParserBase.h new file mode 100644 index 00000000000..8096fa6500f --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CmdLineParserBase.h @@ -0,0 +1,99 @@ +/************************************************************************* +** CmdLineParserBase.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_CMDLINEPARSERBASE_H +#define DVISVGM_CMDLINEPARSERBASE_H + +#include <string> +#include <vector> + +class InputReader; + +class CmdLineParserBase +{ + protected: + struct Option; + + struct OptionHandler { + virtual ~OptionHandler () {} + virtual void operator () (CmdLineParserBase *obj, InputReader &ir, const Option &opt, bool longopt) const=0; + }; + + template <typename T> + class OptionHandlerImpl : public OptionHandler { + protected: + typedef void (T::*LocalHandler)(InputReader &ir, const Option &opt, bool longopt); + + public: + OptionHandlerImpl (LocalHandler handler) : _handler(handler) {} + + void operator () (CmdLineParserBase *obj, InputReader &ir, const Option &opt, bool longopt) const { + if (T *tobj = dynamic_cast<T*>(obj)) + (tobj->*_handler)(ir, opt, longopt); + } + + private: + LocalHandler _handler; + }; + + enum ArgMode {ARG_NONE, ARG_OPTIONAL, ARG_REQUIRED}; + + struct Option { + ~Option () {delete handler;} + char shortname; + const char *longname; + ArgMode argmode; // mode of option argument + const OptionHandler *handler; + }; + + public: + virtual void parse (int argc, char **argv, bool printErrors=true); + virtual void help (int mode=0) const; + virtual int numFiles () const {return _files.size();} + virtual const char* file (size_t n) {return n < _files.size() ? _files[n].c_str() : 0;} +// virtual void status () const; + virtual bool error () const {return _error;} + + protected: + CmdLineParserBase () : _printErrors(true), _error(false) {} + CmdLineParserBase (const CmdLineParserBase &cmd) : _printErrors(true), _error(false) {} + virtual ~CmdLineParserBase () {} + virtual void init (); + virtual void error (const Option &opt, bool longopt, const char *msg) const; + virtual const Option* options (size_t *numopts) const =0; + virtual const char** helplines (size_t *numlines) const =0; + bool checkArgPrefix (InputReader &ir, const Option &opt, bool longopt) const; + bool checkNoArg (InputReader &ir, const Option &opt, bool longopt) const; + bool getIntArg (InputReader &ir, const Option &opt, bool longopt, int &arg) const; + bool getUIntArg (InputReader &ir, const Option &opt, bool longopt, unsigned &arg) const; + bool getDoubleArg (InputReader &ir, const Option &opt, bool longopt, double &arg) const; + bool getStringArg (InputReader &ir, const Option &opt, bool longopt, std::string &arg) const; + bool getBoolArg (InputReader &ir, const Option &opt, bool longopt, bool &arg) const; + bool getCharArg (InputReader &ir, const Option &opt, bool longopt, char &arg) const; + const Option* option (char shortname) const; + const Option* option (const std::string &longname) const; + + private: + bool _printErrors; ///< if true, print error messages + mutable bool _error; ///< error occured while parsing options + std::vector<std::string> _files; ///< filename parameters +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Color.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Color.cpp new file mode 100644 index 00000000000..2173cba9594 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Color.cpp @@ -0,0 +1,509 @@ +/************************************************************************* +** Color.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#define _USE_MATH_DEFINES +#include <config.h> +#include <algorithm> +#include <cctype> +#include <cmath> +#include <cstdlib> +#include <cstring> +#include <iomanip> +#include <sstream> +#include "Color.h" + +using namespace std; + + +const Color Color::BLACK(UInt32(0)); +const Color Color::WHITE(UInt8(255), UInt8(255), UInt8(255)); +const Color Color::TRANSPARENT(UInt32(0xff000000)); + + +static inline UInt8 double_to_byte (double v) { + v = max(0.0, min(1.0, v)); + return UInt8(floor(255*v+0.5)); +} + + +static void tolower (string &str) { + for (size_t i=0; i < str.length(); i++) + str[i] = tolower(str[i]); +} + + +Color::Color (const char *name) { + if (!setName(name, false)) + setGray(UInt8(0)); +} + + +Color::Color (const string &name) { + if (!setName(name, false)) + setGray(UInt8(0)); +} + + +void Color::setRGB (double r, double g, double b) { + setRGB(double_to_byte(r), double_to_byte(g), double_to_byte(b)); +} + + +bool Color::setName (string name, bool case_sensitive) { + if (name[0] == '#') { + char *p=0; + _rgb = UInt32(strtol(name.c_str()+1, &p, 16)); + while (isspace(*p)) + p++; + return (*p == 0 && _rgb <= 0xFFFFFF); + } + // converted color constants from color.pro + static const struct ColorConstant { + const char *name; + const UInt32 rgb; + } + constants[] = { + {"Apricot", 0xFFAD7A}, + {"Aquamarine", 0x2DFFB2}, + {"Bittersweet", 0xC10200}, + {"Black", 0x000000}, + {"Blue", 0x0000FF}, + {"BlueGreen", 0x26FFAA}, + {"BlueViolet", 0x190CF4}, + {"BrickRed", 0xB70000}, + {"Brown", 0x660000}, + {"BurntOrange", 0xFF7C00}, + {"CadetBlue", 0x606DC4}, + {"CarnationPink", 0xFF5EFF}, + {"Cerulean", 0x0FE2FF}, + {"CornflowerBlue", 0x59DDFF}, + {"Cyan", 0x00FFFF}, + {"Dandelion", 0xFFB528}, + {"DarkOrchid", 0x9932CC}, + {"Emerald", 0x00FF7F}, + {"ForestGreen", 0x00E000}, + {"Fuchsia", 0x7202EA}, + {"Goldenrod", 0xFFE528}, + {"Gray", 0x7F7F7F}, + {"Green", 0x00FF00}, + {"GreenYellow", 0xD8FF4F}, + {"JungleGreen", 0x02FF7A}, + {"Lavender", 0xFF84FF}, + {"LimeGreen", 0x7FFF00}, + {"Magenta", 0xFF00FF}, + {"Mahogany", 0xA50000}, + {"Maroon", 0xAD0000}, + {"Melon", 0xFF897F}, + {"MidnightBlue", 0x007091}, + {"Mulberry", 0xA314F9}, + {"NavyBlue", 0x0F75FF}, + {"OliveGreen", 0x009900}, + {"Orange", 0xFF6321}, + {"OrangeRed", 0xFF007F}, + {"Orchid", 0xAD5BFF}, + {"Peach", 0xFF7F4C}, + {"Periwinkle", 0x6D72FF}, + {"PineGreen", 0x00BF28}, + {"Plum", 0x7F00FF}, + {"ProcessBlue", 0x0AFFFF}, + {"Purple", 0x8C23FF}, + {"RawSienna", 0x8C0000}, + {"Red", 0xFF0000}, + {"RedOrange", 0xFF3A21}, + {"RedViolet", 0x9600A8}, + {"Rhodamine", 0xFF2DFF}, + {"RoyalBlue", 0x007FFF}, + {"RoyalPurple", 0x3F19FF}, + {"RubineRed", 0xFF00DD}, + {"Salmon", 0xFF779E}, + {"SeaGreen", 0x4FFF7F}, + {"Sepia", 0x4C0000}, + {"SkyBlue", 0x60FFE0}, + {"SpringGreen", 0xBCFF3D}, + {"Tan", 0xDB9370}, + {"TealBlue", 0x1EF9A3}, + {"Thistle", 0xE068FF}, + {"Turquoise", 0x26FFCC}, + {"Violet", 0x351EFF}, + {"VioletRed", 0xFF30FF}, + {"White", 0xFFFFFF}, + {"WildStrawberry", 0xFF0A9B}, + {"Yellow", 0xFFFF00}, + {"YellowGreen", 0x8EFF42}, + {"YellowOrange", 0xFF9300}, + }; + if (!case_sensitive) { + tolower(name); + for (size_t i=0; i < sizeof(constants)/sizeof(ColorConstant); i++) { + string cmpname = constants[i].name; + tolower(cmpname); + if (name == cmpname) { + _rgb = constants[i].rgb; + return true; + } + } + return false; + } + + // binary search + int first=0, last=sizeof(constants)/sizeof(ColorConstant)-1; + while (first <= last) { + int mid = first+(last-first)/2; + int cmp = strcmp(constants[mid].name, name.c_str()); + if (cmp > 0) + last = mid-1; + else if (cmp < 0) + first = mid+1; + else { + _rgb = constants[mid].rgb; + return true; + } + } + return false; +} + + +void Color::setHSB (double h, double s, double b) { + valarray<double> hsb(3), rgb(3); + hsb[0] = h; + hsb[1] = s; + hsb[2] = b; + HSB2RGB(hsb, rgb); + setRGB(rgb); +} + + +void Color::setCMYK (double c, double m, double y, double k) { + valarray<double> cmyk(4), rgb(3); + cmyk[0] = c; + cmyk[1] = m; + cmyk[2] = y; + cmyk[3] = k; + CMYK2RGB(cmyk, rgb); + setRGB(rgb); +} + + +void Color::setCMYK (const std::valarray<double> &cmyk) { + valarray<double> rgb(3); + CMYK2RGB(cmyk, rgb); + setRGB(rgb); +} + + +void Color::set (ColorSpace colorSpace, VectorIterator<double> &it) { + switch (colorSpace) { + case GRAY_SPACE: setGray(*it++); break; + case RGB_SPACE : setRGB(*it, *(it+1), *(it+2)); it+=3; break; + case LAB_SPACE : setLab(*it, *(it+1), *(it+2)); it+=3; break; + case CMYK_SPACE: setCMYK(*it, *(it+1), *(it+2), *(it+3)); it+=4; break; + } +} + + +void Color::operator *= (double c) { + UInt32 rgb=0; + for (int i=0; i < 3; i++) { + rgb |= UInt32(floor((_rgb & 0xff)*c+0.5)) << (8*i); + _rgb >>= 8; + } + _rgb = rgb; +} + + +string Color::rgbString () const { + ostringstream oss; + oss << '#'; + for (int i=2; i >= 0; i--) { + oss << setbase(16) << setfill('0') << setw(2) + << (((_rgb >> (8*i)) & 0xff)); + } + return oss.str(); +} + + +/** Approximates a CMYK color by an RGB triple. The component values + * are expected to be normalized, i.e. 0 <= cmyk[i],rgb[j] <= 1. + * @param[in] cmyk color in CMYK space + * @param[out] rgb RGB approximation */ +void Color::CMYK2RGB (const valarray<double> &cmyk, valarray<double> &rgb) { + double kc = 1.0-cmyk[3]; + for (int i=0; i < 3; i++) + rgb[i] = min(1.0, max(0.0, (1.0-cmyk[i])*kc)); +} + + +void Color::RGB2CMYK (const valarray<double> &rgb, valarray<double> &cmyk) { + double c = 1-rgb[0]; + double m = 1-rgb[1]; + double y = 1-rgb[2]; + cmyk[3] = min(min(c, m), y); + cmyk[0] = c-cmyk[3]; + cmyk[1] = m-cmyk[3]; + cmyk[2] = y-cmyk[3]; +} + + +/** Converts a color given in HSB coordinates to RGB. + * @param[in] hsb color in HSB space + * @param[out] rgb color in RGB space */ +void Color::HSB2RGB (const valarray<double> &hsb, valarray<double> &rgb) { + if (hsb[1] == 0) + rgb[0] = rgb[1] = rgb[2] = hsb[2]; + else { + double h = hsb[0]-floor(hsb[0]); + int i = int(6*h); + double f = 6*h-i; + double p = hsb[2]*(1-hsb[1]); + double q = hsb[2]*(1-hsb[1]*f); + double t = hsb[2]*(1-hsb[1]*(1-f)); + switch (i) { + case 0 : rgb[0]=hsb[2]; rgb[1]=t; rgb[2]=p; break; + case 1 : rgb[0]=q; rgb[1]=hsb[2]; rgb[2]=p; break; + case 2 : rgb[0]=p; rgb[1]=hsb[2]; rgb[2]=t; break; + case 3 : rgb[0]=p; rgb[1]=q; rgb[2]=hsb[2]; break; + case 4 : rgb[0]=t; rgb[1]=p; rgb[2]=hsb[2]; break; + case 5 : rgb[0]=hsb[2]; rgb[1]=p; rgb[2]=q; break; + default: ; // prevent compiler warning + } + } +} + + +double Color::getGray () const { + double r, g, b; + getRGB(r, g, b); + return r*0.3 + g*0.59 + b*0.11; // gray value according to NTSC video standard +} + + +void Color::getGray (valarray<double> &gray) const { + gray.resize(1); + gray[0] = getGray(); +} + + +void Color::getRGB (double &r, double &g, double &b) const { + r = ((_rgb >> 16) & 255) / 255.0; + g = ((_rgb >> 8) & 255) / 255.0; + b = (_rgb & 255) / 255.0; +} + + +void Color::getRGB (valarray<double> &rgb) const { + rgb.resize(3); + double r, g, b; + getRGB(r, g, b); + rgb[0] = r; + rgb[1] = g; + rgb[2] = b; +} + + +void Color::getCMYK (double &c, double &m, double &y, double &k) const { + valarray<double> rgb(3), cmyk(4); + getRGB(rgb); + RGB2CMYK(rgb, cmyk); + c = cmyk[0]; + m = cmyk[1]; + y = cmyk[2]; + k = cmyk[3]; +} + + +void Color::getCMYK (std::valarray<double> &cmyk) const { + cmyk.resize(4); + valarray<double> rgb(3); + getRGB(rgb); + RGB2CMYK(rgb, cmyk); +} + + +void Color::getXYZ (double &x, double &y, double &z) const { + valarray<double> rgb(3), xyz(3); + getRGB(rgb); + RGB2XYZ(rgb, xyz); + x = xyz[0]; + y = xyz[1]; + z = xyz[2]; +} + + +void Color::setXYZ (double x, double y, double z) { + valarray<double> xyz(3), rgb(3); + xyz[0] = x; + xyz[1] = y; + xyz[2] = z; + XYZ2RGB(xyz, rgb); + setRGB(rgb); +} + + +void Color::setXYZ (const valarray<double> &xyz) { + valarray<double> rgb(3); + XYZ2RGB(xyz, rgb); + setRGB(rgb); +} + + +void Color::setLab (double l, double a, double b) { + valarray<double> lab(3), xyz(3); + lab[0] = l; + lab[1] = a; + lab[2] = b; + Lab2XYZ(lab, xyz); + setXYZ(xyz); +} + + +void Color::setLab (const valarray<double> &lab) { + valarray<double> xyz(3); + Lab2XYZ(lab, xyz); + setXYZ(xyz); +} + + +/** Get the color in CIELAB color space using the sRGB working space and reference white D65. */ +void Color::getLab (double &l, double &a, double &b) const { + valarray<double> rgb(3), lab(3); + getRGB(rgb); + RGB2Lab(rgb, lab); + l = lab[0]; + a = lab[1]; + b = lab[2]; +} + + +void Color::getLab (std::valarray<double> &lab) const { + lab.resize(3); + valarray<double> rgb(3); + getRGB(rgb); + RGB2Lab(rgb, lab); +} + + +static inline double sqr (double x) {return x*x;} +static inline double cube (double x) {return x*x*x;} + + +void Color::Lab2XYZ (const valarray<double> &lab, valarray<double> &xyz) { + xyz.resize(3); + double wx=0.95047, wy=1.00, wz=1.08883; // reference white D65 + double eps = 0.008856; + double kappa = 903.3; + double fy = (lab[0]+16)/116; + double fx = lab[1]/500 + fy; + double fz = fy - lab[2]/200; + double xr = (cube(fx) > eps ? cube(fx) : (116*fx-16)/kappa); + double yr = (lab[0] > kappa*eps ? cube((lab[0]+16)/116) : lab[0]/kappa); + double zr = (cube(fz) > eps ? cube(fz) : (116*fz-16)/kappa); + xyz[0] = xr*wx; + xyz[1] = yr*wy; + xyz[2] = zr*wz; +} + + +void Color::XYZ2RGB (const valarray<double> &xyz, valarray<double> &rgb) { + rgb.resize(3); + rgb[0] = 3.2404542*xyz[0] - 1.5371385*xyz[1] - 0.4985314*xyz[2]; + rgb[1] = -0.9692660*xyz[0] + 1.8760108*xyz[1] + 0.0415560*xyz[2]; + rgb[2] = 0.0556434*xyz[0] - 0.2040259*xyz[1] + 1.0572252*xyz[2]; + for (int i=0; i < 3; i++) + rgb[i] = (rgb[i] <= 0.0031308 ? 12.92*rgb[i] : 1.055*pow(rgb[i], 1/2.4)-0.055); +} + + +void Color::RGB2XYZ (valarray<double> rgb, valarray<double> &xyz) { + xyz.resize(3); + for (int i=0; i < 3; i++) + rgb[i] = (rgb[i] <= 0.04045 ? rgb[i]/12.92 : pow((rgb[i]+0.055)/1.055, 2.4)); + xyz[0] = 0.4124564*rgb[0] + 0.3575761*rgb[1] + 0.1804375*rgb[2]; + xyz[1] = 0.2126729*rgb[0] + 0.7151522*rgb[1] + 0.0721750*rgb[2]; + xyz[2] = 0.0193339*rgb[0] + 0.1191920*rgb[1] + 0.9503041*rgb[2]; +} + + +void Color::RGB2Lab (const valarray<double> &rgb, valarray<double> &lab) { + double wx=0.95047, wy=1.00, wz=1.08883; // reference white D65 + double eps = 0.008856; + double kappa = 903.3; + valarray<double> xyz(3); + RGB2XYZ(rgb, xyz); + xyz[0] /= wx; + xyz[1] /= wy; + xyz[2] /= wz; + double fx = (xyz[0] > eps ? pow(xyz[0], 1.0/3) : (kappa*xyz[0]+16)/116); + double fy = (xyz[1] > eps ? pow(xyz[1], 1.0/3) : (kappa*xyz[1]+16)/116); + double fz = (xyz[2] > eps ? pow(xyz[2], 1.0/3) : (kappa*xyz[2]+16)/116); + lab[0] = 116*fy-16; + lab[1] = 500*(fx-fy); + lab[2] = 200*(fy-fz); +} + + +/** Returns the Delta E difference (CIE 2000) between this and another color. */ +double Color::deltaE (const Color &c) const { + double l1, a1, b1; + double l2, a2, b2; + getLab(l1, a1, b1); + c.getLab(l2, a2, b2); + double dl = l2-l1; + double lm = (l1+l2)/2; + double c1 = sqrt(a1*a1 + b1*b1); + double c2 = sqrt(a2*a2 + b2*b2); + double cm = (c1+c2)/2; + double g = (1-sqrt(pow(cm, 7)/(pow(cm, 7)+pow(25.0, 7))))/2; + double aa1 = a1*(1+g); + double aa2 = a2*(1+g); + double cc1 = sqrt(aa1*aa1 + b1*b1); + double cc2 = sqrt(aa2*aa2 + b2*b2); + double ccm = (cc1+cc2)/2; + double dcc = cc2-cc1; + double h1 = atan2(b1, aa1)*180/M_PI; + if (h1 < 0) h1 += 360; + double h2 = atan2(b2, aa2)*180/M_PI; + if (h2 < 0) h2 += 360; + double hm = (abs(h1-h2) > 180 ? (h1+h2+360) : (h1+h2))/2; + double t = 1 - 0.17*cos(hm-30) + 0.24*cos(2*hm) + 0.32*cos(3*hm+6) - 0.2*cos(4*hm-63); + double dh = h2-h1; + if (h2-h1 < -180) + dh += 360; + else if (h2-h1 > 180) + dh -= 360; + double dhh = 2*sqrt(cc1*cc2)*sin(dh/2); + double sl = 1 + 0.015*(lm-50.0)*(lm-50.0)/sqrt(20.0+(lm-50.0)); + double sc = 1 + 0.045*ccm; + double sh = 1 + 0.015*ccm*t; + double dtheta = 30*exp(-sqr(hm-275)/25); + double rc = 2*sqrt(pow(ccm, 7)/(pow(ccm, 7)+pow(25.0, 7))); + double rt = -rc*sin(2*dtheta); + return sqrt(sqr(dl/sl) + sqr(dcc/sc) + sqr(dhh/sh) + rt*dcc/sc*dhh/sh); +} + + +int Color::numComponents (ColorSpace colorSpace) { + switch (colorSpace) { + case GRAY_SPACE: return 1; + case LAB_SPACE: + case RGB_SPACE: return 3; + case CMYK_SPACE: return 4; + } + return 0; +}
\ No newline at end of file diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Color.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Color.h new file mode 100644 index 00000000000..6b1c50d5d71 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Color.h @@ -0,0 +1,95 @@ +/************************************************************************* +** Color.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_COLOR_H +#define DVISVGM_COLOR_H + +#include <string> +#include <valarray> +#include <vector> +#include "types.h" +#include "VectorIterator.h" + +#ifdef TRANSPARENT +#undef TRANSPARENT +#endif + +class Color +{ + public: + static const Color BLACK; + static const Color WHITE; + static const Color TRANSPARENT; + + enum ColorSpace {GRAY_SPACE, RGB_SPACE, CMYK_SPACE, LAB_SPACE}; + + public: + Color () : _rgb(0) {} + Color (UInt32 rgb) : _rgb(rgb) {} + Color (UInt8 r, UInt8 g, UInt8 b) {setRGB(r,g,b);} + Color (double r, double g, double b) {setRGB(r,g,b);} + Color (const std::valarray<double> &rgb) {setRGB(rgb);} + Color (const char *name); + Color (const std::string &name); +// Color (ColorSpace colorSpace, std::vector<double>::const_iterator &it) {set(colorSpace, it);} + operator UInt32 () const {return _rgb;} + bool operator == (const Color &c) const {return _rgb == c._rgb;} + bool operator != (const Color &c) const {return _rgb != c._rgb;} + void setRGB (UInt8 r, UInt8 g, UInt8 b) {_rgb = (r << 16) | (g << 8) | b;} + void setRGB (double r, double g, double b); + void setRGB (const std::valarray<double> &rgb) {setRGB(rgb[0], rgb[1], rgb[2]);} + bool setName (std::string name, bool case_sensitive=true); + void setGray (UInt8 g) {setRGB(g,g,g);} + void setGray (double g) {setRGB(g,g,g);} + void setGray (const std::valarray<double> &gray) {setRGB(gray[0], gray[0], gray[0]);} + void setHSB (double h, double s, double b); + void setCMYK (double c, double m, double y, double k); + void setCMYK (const std::valarray<double> &cmyk); + void setXYZ (double x, double y, double z); + void setXYZ (const std::valarray<double> &xyz); + void setLab (double l, double a, double b); + void setLab (const std::valarray<double> &lab); + void set (ColorSpace colorSpace, VectorIterator<double> &it); + double getGray () const; + void getGray (std::valarray<double> &gray) const; + void getRGB (double &r, double &g, double &b) const; + void getRGB (std::valarray<double> &rgb) const; + void getCMYK (double &c, double &m, double &y, double &k) const; + void getCMYK (std::valarray<double> &cmyk) const; + void getXYZ (double &x, double &y, double &z) const; + void getLab (double &l, double &a, double &b) const; + void getLab (std::valarray<double> &lab) const; + void operator *= (double c); + double deltaE (const Color &c) const; + std::string rgbString () const; + static void CMYK2RGB (const std::valarray<double> &cmyk, std::valarray<double> &rgb); + static void RGB2CMYK (const std::valarray<double> &rgb, std::valarray<double> &cmyk); + static void HSB2RGB (const std::valarray<double> &hsb, std::valarray<double> &rgb); + static void RGB2XYZ (std::valarray<double> rgb, std::valarray<double> &xyz); + static void XYZ2RGB (const std::valarray<double> &xyz, std::valarray<double> &rgb); + static void RGB2Lab (const std::valarray<double> &rgb, std::valarray<double> &lab); + static void Lab2XYZ (const std::valarray<double> &lab, std::valarray<double> &xyz); + static int numComponents (ColorSpace colorSpace); + + private: + UInt32 _rgb; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/ColorSpecialHandler.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/ColorSpecialHandler.cpp new file mode 100644 index 00000000000..b3743a71979 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/ColorSpecialHandler.cpp @@ -0,0 +1,126 @@ +/************************************************************************* +** ColorSpecialHandler.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <algorithm> +#include <cmath> +#include <cstring> +#include <iomanip> +#include <sstream> +#include <vector> +#include "ColorSpecialHandler.h" +#include "SpecialActions.h" + +using namespace std; + + +static double read_double (istream &is) { + is.clear(); + double v; + is >> v; + if (is.fail()) + throw SpecialException("number expected"); + return v; +} + + +/** Reads multiple double values from a given stream. The number of + * values read is determined by the size of the result vector. + * @param[in] is stream to be read from + * @param[out] v the resulting values */ +static void read_doubles (istream &is, vector<double> &v) { + for (size_t i=0; i < v.size(); i++) + v[i] = read_double(is); +} + + +/** Reads a color statement from an input stream and converts it to RGB. + * A color statement has the following syntax: + * _color model_ _component values_ + * Currently, the following color models are supported: rgb, cmyk, hsb and gray. + * Examples: rgb 1 0.5 0, gray 0.5 + * @param[in] model if model != "" this value specifies the model, otherwise it's read from the stream + * @param[in] is stream to be read from + * @param[out] color italicresulting RGB triple + * @return true if statement has successfully been read */ +static void read_color (string model, istream &is, Color &color) { + if (model.empty()) + is >> model; + if (model == "rgb") { + vector<double> rgb(3); + read_doubles(is, rgb); + color.setRGB(rgb[0], rgb[1], rgb[2]); + } + else if (model == "cmyk") { + vector<double> cmyk(4); + read_doubles(is, cmyk); + color.setCMYK(cmyk[0], cmyk[1], cmyk[2], cmyk[3]); + } + else if (model == "hsb") { + vector<double> hsb(3); + read_doubles(is, hsb); + color.setHSB(hsb[0], hsb[1], hsb[2]); + } + else if (model == "gray") + color.setGray(read_double(is)); + else if (!color.setName(model, true)) + throw SpecialException("unknown color statement"); +} + + +bool ColorSpecialHandler::process (const char *prefix, istream &is, SpecialActions *actions) { + Color color; + if (prefix && strcmp(prefix, "background") == 0) { + read_color("", is, color); + actions->setBgColor(color); + } + else { + string cmd; + is >> cmd; + if (cmd == "push") { // color push <model> <params> + read_color("", is, color); + _colorStack.push(color); + } + else if (cmd == "pop") { + if (!_colorStack.empty()) // color pop + _colorStack.pop(); + } + else { // color <model> <params> + read_color(cmd, is, color); + while (!_colorStack.empty()) + _colorStack.pop(); + _colorStack.push(color); + } + if (actions) { + if (_colorStack.empty()) + actions->setColor(Color::BLACK); + else + actions->setColor(_colorStack.top()); + } + } + return true; +} + + +const char** ColorSpecialHandler::prefixes () const { + static const char *pfx[] = {"color", 0}; + return pfx; +} + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/ColorSpecialHandler.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/ColorSpecialHandler.h new file mode 100644 index 00000000000..f945492b05b --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/ColorSpecialHandler.h @@ -0,0 +1,42 @@ +/************************************************************************* +** ColorSpecialHandler.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_COLORSPECIALHANDLER_H +#define DVISVGM_COLORSPECIALHANDLER_H + +#include <stack> +#include <vector> +#include "Color.h" +#include "SpecialHandler.h" + + +class ColorSpecialHandler : public SpecialHandler +{ + public: + bool process (const char *prefix, std::istream &is, SpecialActions *actions); + const char* name () const {return "color";} + const char* info () const {return "complete support of color specials";} + const char** prefixes () const; + + private: + std::stack<Color> _colorStack; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CommandLine.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CommandLine.cpp new file mode 100644 index 00000000000..ead88465ae3 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CommandLine.cpp @@ -0,0 +1,398 @@ +// This file was automatically generated by opt2cpp. +// It is part of the dvisvgm package and published under the terms +// of the GNU General Public License version 3, or (at your option) any later version. +// See file COPYING for further details. +// (C) 2009-2015 Martin Gieseking <martin.gieseking@uos.de> + +#include <config.h> +#include <cstdio> +#include <iostream> +#include <iomanip> +#include "InputReader.h" +#include "CommandLine.h" + +using namespace std; + +const CmdLineParserBase::Option CommandLine::_options[] = { + {'b', "bbox", ARG_REQUIRED, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_bbox)}, + {'C', "cache", ARG_OPTIONAL, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_cache)}, +#if !defined(DISABLE_GS) + {'j', "clipjoin", ARG_NONE, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_clipjoin)}, +#endif + {'\0', "color", ARG_NONE, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_color)}, +#if !defined(DISABLE_GS) + {'E', "eps", ARG_NONE, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_eps)}, +#endif + {'e', "exact", ARG_NONE, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_exact)}, + {'m', "fontmap", ARG_REQUIRED, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_fontmap)}, +#if !defined(DISABLE_GS) + {'\0', "grad-overlap", ARG_NONE, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_grad_overlap)}, +#endif +#if !defined(DISABLE_GS) + {'\0', "grad-segments", ARG_REQUIRED, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_grad_segments)}, +#endif +#if !defined(DISABLE_GS) + {'\0', "grad-simplify", ARG_REQUIRED, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_grad_simplify)}, +#endif + {'h', "help", ARG_OPTIONAL, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_help)}, + {'\0', "keep", ARG_NONE, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_keep)}, +#if !defined(HAVE_LIBGS) && !defined(DISABLE_GS) + {'\0', "libgs", ARG_REQUIRED, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_libgs)}, +#endif + {'L', "linkmark", ARG_REQUIRED, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_linkmark)}, + {'l', "list-specials", ARG_NONE, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_list_specials)}, + {'M', "mag", ARG_REQUIRED, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_mag)}, + {'n', "no-fonts", ARG_OPTIONAL, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_no_fonts)}, + {'\0', "no-merge", ARG_NONE, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_no_merge)}, + {'\0', "no-mktexmf", ARG_NONE, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_no_mktexmf)}, + {'S', "no-specials", ARG_OPTIONAL, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_no_specials)}, + {'\0', "no-styles", ARG_NONE, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_no_styles)}, + {'o', "output", ARG_REQUIRED, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_output)}, + {'p', "page", ARG_REQUIRED, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_page)}, + {'d', "precision", ARG_REQUIRED, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_precision)}, + {'P', "progress", ARG_OPTIONAL, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_progress)}, + {'R', "relative", ARG_NONE, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_relative)}, + {'r', "rotate", ARG_REQUIRED, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_rotate)}, + {'c', "scale", ARG_REQUIRED, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_scale)}, + {'s', "stdout", ARG_NONE, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_stdout)}, + {'a', "trace-all", ARG_OPTIONAL, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_trace_all)}, + {'T', "transform", ARG_REQUIRED, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_transform)}, + {'t', "translate", ARG_REQUIRED, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_translate)}, + {'v', "verbosity", ARG_REQUIRED, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_verbosity)}, + {'V', "version", ARG_OPTIONAL, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_version)}, + {'z', "zip", ARG_OPTIONAL, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_zip)}, + {'Z', "zoom", ARG_REQUIRED, new OptionHandlerImpl<CommandLine>(&CommandLine::handle_zoom)}, +}; + +const CmdLineParserBase::Option* CommandLine::options (size_t *numopts) const { + *numopts = sizeof(_options)/sizeof(CmdLineParserBase::Option); + return _options; +} + +void CommandLine::init () { + CmdLineParserBase::init(); + + // disable all options by default + _bbox_given = false; + _cache_given = false; +#if !defined(DISABLE_GS) + _clipjoin_given = false; +#endif + _color_given = false; +#if !defined(DISABLE_GS) + _eps_given = false; +#endif + _exact_given = false; + _fontmap_given = false; +#if !defined(DISABLE_GS) + _grad_overlap_given = false; +#endif +#if !defined(DISABLE_GS) + _grad_segments_given = false; +#endif +#if !defined(DISABLE_GS) + _grad_simplify_given = false; +#endif + _help_given = false; + _keep_given = false; +#if !defined(HAVE_LIBGS) && !defined(DISABLE_GS) + _libgs_given = false; +#endif + _linkmark_given = false; + _list_specials_given = false; + _mag_given = false; + _no_fonts_given = false; + _no_merge_given = false; + _no_mktexmf_given = false; + _no_specials_given = false; + _no_styles_given = false; + _output_given = false; + _page_given = false; + _precision_given = false; + _progress_given = false; + _relative_given = false; + _rotate_given = false; + _scale_given = false; + _stdout_given = false; + _trace_all_given = false; + _transform_given = false; + _translate_given = false; + _verbosity_given = false; + _version_given = false; + _zip_given = false; + _zoom_given = false; + + // set default option values + _bbox_arg = "min"; + _cache_arg.clear(); + _fontmap_arg.clear(); +#if !defined(DISABLE_GS) + _grad_segments_arg = 20; +#endif +#if !defined(DISABLE_GS) + _grad_simplify_arg = 0.05; +#endif + _help_arg = 0; +#if !defined(HAVE_LIBGS) && !defined(DISABLE_GS) + _libgs_arg.clear(); +#endif + _linkmark_arg = "box"; + _mag_arg = 4; + _no_fonts_arg = 0; + _no_specials_arg.clear(); + _output_arg.clear(); + _page_arg = "1"; + _precision_arg = 0; + _progress_arg = 0.5; + _rotate_arg = 0; + _scale_arg.clear(); + _trace_all_arg = false; + _transform_arg.clear(); + _translate_arg.clear(); + _verbosity_arg = 7; + _version_arg = false; + _zip_arg = 9; + _zoom_arg = 1.0; +} + +const char** CommandLine::helplines (size_t *numlines) const { + static const char *lines[] = { + "dThis program converts DVI files, as created by TeX/LaTeX, to\nthe XML-based scalable vector graphics format SVG.\n\nUsage: dvisvgm [options] dvifile\n dvisvgm -E [options] epsfile", + "sInput options:", + "o-p, --page=ranges choose pages to convert [1]", + "o-m, --fontmap=filenames evaluate (additional) font map files", +#if !defined(DISABLE_GS) + "o-E, --eps convert an EPS file to SVG", +#endif + "sSVG output options:", + "o-b, --bbox=size set size of bounding box [min]", +#if !defined(DISABLE_GS) + "o-j, --clipjoin compute intersection of clipping paths", +#endif +#if !defined(DISABLE_GS) + "o --grad-overlap create operlapping color gradient segments", +#endif +#if !defined(DISABLE_GS) + "o --grad-segments=number number of color gradient segments per row [20]", +#endif +#if !defined(DISABLE_GS) + "o --grad-simplify=delta reduce level of detail for small segments [0.05]", +#endif + "o-L, --linkmark=style select how to mark hyperlinked areas [box]", + "o-o, --output=pattern set name pattern of output files", + "o-d, --precision=number set number of decimal points (0-6) [0]", + "o-R, --relative create relative path commands", + "o-s, --stdout write SVG output to stdout", + "o-n, --no-fonts[=variant] draw glyphs by using path elements [0]", + "o --no-merge don't merge adjacent text elements", + "o --no-styles don't use styles to reference fonts", + "o-z, --zip[=level] create compressed .svgz file [9]", + "sSVG transformations:", + "o-r, --rotate=angle rotate page content clockwise", + "o-c, --scale=sx[,sy] scale page content", + "o-t, --translate=tx[,ty] shift page content", + "o-T, --transform=commands transform page content", + "o-Z, --zoom=factor zoom page content [1.0]", + "sProcessing options:", + "o-C, --cache[=dir] set/print path of cache directory", + "o-e, --exact compute exact glyph boxes", + "o --keep keep temporary files", +#if !defined(HAVE_LIBGS) && !defined(DISABLE_GS) + "o --libgs=filename set name of Ghostscript shared library", +#endif + "o-M, --mag=factor magnification of Metafont output [4]", + "o --no-mktexmf don't try to create missing fonts", + "o-S, --no-specials[=prefixes] don't process [selected] specials", + "o-a, --trace-all[=retrace] trace all glyphs of bitmap fonts [no]", + "sMessage options:", + "o --color colorize messages", + "o-h, --help[=mode] print this summary of options and exit [0]", + "o-l, --list-specials print supported special sets and exit", + "o-P, --progress[=delay] enable progess indicator [0.5]", + "o-v, --verbosity=level set verbosity level (0-7) [7]", + "o-V, --version[=extended] print version and exit [no]", + }; + *numlines = sizeof(lines)/sizeof(char*); + return lines; +} + +void CommandLine::handle_bbox (InputReader &ir, const Option &opt, bool longopt) { + if (getStringArg(ir, opt, longopt, _bbox_arg)) + _bbox_given = true; +} + +void CommandLine::handle_cache (InputReader &ir, const Option &opt, bool longopt) { + if (ir.eof() || getStringArg(ir, opt, longopt, _cache_arg)) + _cache_given = true; +} + +#if !defined(DISABLE_GS) +void CommandLine::handle_clipjoin (InputReader &ir, const Option &opt, bool longopt) { + _clipjoin_given = true; +} +#endif + +void CommandLine::handle_color (InputReader &ir, const Option &opt, bool longopt) { + _color_given = true; +} + +#if !defined(DISABLE_GS) +void CommandLine::handle_eps (InputReader &ir, const Option &opt, bool longopt) { + _eps_given = true; +} +#endif + +void CommandLine::handle_exact (InputReader &ir, const Option &opt, bool longopt) { + _exact_given = true; +} + +void CommandLine::handle_fontmap (InputReader &ir, const Option &opt, bool longopt) { + if (getStringArg(ir, opt, longopt, _fontmap_arg)) + _fontmap_given = true; +} + +#if !defined(DISABLE_GS) +void CommandLine::handle_grad_overlap (InputReader &ir, const Option &opt, bool longopt) { + _grad_overlap_given = true; +} +#endif + +#if !defined(DISABLE_GS) +void CommandLine::handle_grad_segments (InputReader &ir, const Option &opt, bool longopt) { + if (getIntArg(ir, opt, longopt, _grad_segments_arg)) + _grad_segments_given = true; +} +#endif + +#if !defined(DISABLE_GS) +void CommandLine::handle_grad_simplify (InputReader &ir, const Option &opt, bool longopt) { + if (getDoubleArg(ir, opt, longopt, _grad_simplify_arg)) + _grad_simplify_given = true; +} +#endif + +void CommandLine::handle_help (InputReader &ir, const Option &opt, bool longopt) { + if (ir.eof() || getIntArg(ir, opt, longopt, _help_arg)) + _help_given = true; +} + +void CommandLine::handle_keep (InputReader &ir, const Option &opt, bool longopt) { + _keep_given = true; +} + +#if !defined(HAVE_LIBGS) && !defined(DISABLE_GS) +void CommandLine::handle_libgs (InputReader &ir, const Option &opt, bool longopt) { + if (getStringArg(ir, opt, longopt, _libgs_arg)) + _libgs_given = true; +} +#endif + +void CommandLine::handle_linkmark (InputReader &ir, const Option &opt, bool longopt) { + if (getStringArg(ir, opt, longopt, _linkmark_arg)) + _linkmark_given = true; +} + +void CommandLine::handle_list_specials (InputReader &ir, const Option &opt, bool longopt) { + _list_specials_given = true; +} + +void CommandLine::handle_mag (InputReader &ir, const Option &opt, bool longopt) { + if (getDoubleArg(ir, opt, longopt, _mag_arg)) + _mag_given = true; +} + +void CommandLine::handle_no_fonts (InputReader &ir, const Option &opt, bool longopt) { + if (ir.eof() || getIntArg(ir, opt, longopt, _no_fonts_arg)) + _no_fonts_given = true; +} + +void CommandLine::handle_no_merge (InputReader &ir, const Option &opt, bool longopt) { + _no_merge_given = true; +} + +void CommandLine::handle_no_mktexmf (InputReader &ir, const Option &opt, bool longopt) { + _no_mktexmf_given = true; +} + +void CommandLine::handle_no_specials (InputReader &ir, const Option &opt, bool longopt) { + if (ir.eof() || getStringArg(ir, opt, longopt, _no_specials_arg)) + _no_specials_given = true; +} + +void CommandLine::handle_no_styles (InputReader &ir, const Option &opt, bool longopt) { + _no_styles_given = true; +} + +void CommandLine::handle_output (InputReader &ir, const Option &opt, bool longopt) { + if (getStringArg(ir, opt, longopt, _output_arg)) + _output_given = true; +} + +void CommandLine::handle_page (InputReader &ir, const Option &opt, bool longopt) { + if (getStringArg(ir, opt, longopt, _page_arg)) + _page_given = true; +} + +void CommandLine::handle_precision (InputReader &ir, const Option &opt, bool longopt) { + if (getIntArg(ir, opt, longopt, _precision_arg)) + _precision_given = true; +} + +void CommandLine::handle_progress (InputReader &ir, const Option &opt, bool longopt) { + if (ir.eof() || getDoubleArg(ir, opt, longopt, _progress_arg)) + _progress_given = true; +} + +void CommandLine::handle_relative (InputReader &ir, const Option &opt, bool longopt) { + _relative_given = true; +} + +void CommandLine::handle_rotate (InputReader &ir, const Option &opt, bool longopt) { + if (getDoubleArg(ir, opt, longopt, _rotate_arg)) + _rotate_given = true; +} + +void CommandLine::handle_scale (InputReader &ir, const Option &opt, bool longopt) { + if (getStringArg(ir, opt, longopt, _scale_arg)) + _scale_given = true; +} + +void CommandLine::handle_stdout (InputReader &ir, const Option &opt, bool longopt) { + _stdout_given = true; +} + +void CommandLine::handle_trace_all (InputReader &ir, const Option &opt, bool longopt) { + if (ir.eof() || getBoolArg(ir, opt, longopt, _trace_all_arg)) + _trace_all_given = true; +} + +void CommandLine::handle_transform (InputReader &ir, const Option &opt, bool longopt) { + if (getStringArg(ir, opt, longopt, _transform_arg)) + _transform_given = true; +} + +void CommandLine::handle_translate (InputReader &ir, const Option &opt, bool longopt) { + if (getStringArg(ir, opt, longopt, _translate_arg)) + _translate_given = true; +} + +void CommandLine::handle_verbosity (InputReader &ir, const Option &opt, bool longopt) { + if (getUIntArg(ir, opt, longopt, _verbosity_arg)) + _verbosity_given = true; +} + +void CommandLine::handle_version (InputReader &ir, const Option &opt, bool longopt) { + if (ir.eof() || getBoolArg(ir, opt, longopt, _version_arg)) + _version_given = true; +} + +void CommandLine::handle_zip (InputReader &ir, const Option &opt, bool longopt) { + if (ir.eof() || getIntArg(ir, opt, longopt, _zip_arg)) + _zip_given = true; +} + +void CommandLine::handle_zoom (InputReader &ir, const Option &opt, bool longopt) { + if (getDoubleArg(ir, opt, longopt, _zoom_arg)) + _zoom_given = true; +} + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CommandLine.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CommandLine.h new file mode 100644 index 00000000000..4c68706fc7e --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/CommandLine.h @@ -0,0 +1,219 @@ +// This file was automatically generated by opt2cpp. +// It is part of the dvisvgm package and published under the terms +// of the GNU General Public License version 3, or (at your option) any later version. +// See file COPYING for further details. +// (C) 2009-2015 Martin Gieseking <martin.gieseking@uos.de> + +#ifndef COMMANDLINE_H +#define COMMANDLINE_H + +#include <config.h> +#include "CmdLineParserBase.h" + +class CommandLine : public CmdLineParserBase +{ + public: + CommandLine () {init();} + CommandLine (int argc, char **argv, bool printErrors) {parse(argc, argv, printErrors);} + bool bbox_given () const {return _bbox_given;} + const std::string& bbox_arg () const {return _bbox_arg;} + bool cache_given () const {return _cache_given;} + const std::string& cache_arg () const {return _cache_arg;} +#if !defined(DISABLE_GS) + bool clipjoin_given () const {return _clipjoin_given;} +#endif + bool color_given () const {return _color_given;} +#if !defined(DISABLE_GS) + bool eps_given () const {return _eps_given;} +#endif + bool exact_given () const {return _exact_given;} + bool fontmap_given () const {return _fontmap_given;} + const std::string& fontmap_arg () const {return _fontmap_arg;} +#if !defined(DISABLE_GS) + bool grad_overlap_given () const {return _grad_overlap_given;} +#endif +#if !defined(DISABLE_GS) + bool grad_segments_given () const {return _grad_segments_given;} + int grad_segments_arg () const {return _grad_segments_arg;} +#endif +#if !defined(DISABLE_GS) + bool grad_simplify_given () const {return _grad_simplify_given;} + double grad_simplify_arg () const {return _grad_simplify_arg;} +#endif + bool help_given () const {return _help_given;} + int help_arg () const {return _help_arg;} + bool keep_given () const {return _keep_given;} +#if !defined(HAVE_LIBGS) && !defined(DISABLE_GS) + bool libgs_given () const {return _libgs_given;} + const std::string& libgs_arg () const {return _libgs_arg;} +#endif + bool linkmark_given () const {return _linkmark_given;} + const std::string& linkmark_arg () const {return _linkmark_arg;} + bool list_specials_given () const {return _list_specials_given;} + bool mag_given () const {return _mag_given;} + double mag_arg () const {return _mag_arg;} + bool no_fonts_given () const {return _no_fonts_given;} + int no_fonts_arg () const {return _no_fonts_arg;} + bool no_merge_given () const {return _no_merge_given;} + bool no_mktexmf_given () const {return _no_mktexmf_given;} + bool no_specials_given () const {return _no_specials_given;} + const std::string& no_specials_arg () const {return _no_specials_arg;} + bool no_styles_given () const {return _no_styles_given;} + bool output_given () const {return _output_given;} + const std::string& output_arg () const {return _output_arg;} + bool page_given () const {return _page_given;} + const std::string& page_arg () const {return _page_arg;} + bool precision_given () const {return _precision_given;} + int precision_arg () const {return _precision_arg;} + bool progress_given () const {return _progress_given;} + double progress_arg () const {return _progress_arg;} + bool relative_given () const {return _relative_given;} + bool rotate_given () const {return _rotate_given;} + double rotate_arg () const {return _rotate_arg;} + bool scale_given () const {return _scale_given;} + const std::string& scale_arg () const {return _scale_arg;} + bool stdout_given () const {return _stdout_given;} + bool trace_all_given () const {return _trace_all_given;} + bool trace_all_arg () const {return _trace_all_arg;} + bool transform_given () const {return _transform_given;} + const std::string& transform_arg () const {return _transform_arg;} + bool translate_given () const {return _translate_given;} + const std::string& translate_arg () const {return _translate_arg;} + bool verbosity_given () const {return _verbosity_given;} + unsigned verbosity_arg () const {return _verbosity_arg;} + bool version_given () const {return _version_given;} + bool version_arg () const {return _version_arg;} + bool zip_given () const {return _zip_given;} + int zip_arg () const {return _zip_arg;} + bool zoom_given () const {return _zoom_given;} + double zoom_arg () const {return _zoom_arg;} + protected: + void init (); + const CmdLineParserBase::Option* options (size_t *numopts) const; + const char** helplines (size_t *numlines) const; + void handle_bbox (InputReader &ir, const Option &opt, bool longopt); + void handle_cache (InputReader &ir, const Option &opt, bool longopt); +#if !defined(DISABLE_GS) + void handle_clipjoin (InputReader &ir, const Option &opt, bool longopt); +#endif + void handle_color (InputReader &ir, const Option &opt, bool longopt); +#if !defined(DISABLE_GS) + void handle_eps (InputReader &ir, const Option &opt, bool longopt); +#endif + void handle_exact (InputReader &ir, const Option &opt, bool longopt); + void handle_fontmap (InputReader &ir, const Option &opt, bool longopt); +#if !defined(DISABLE_GS) + void handle_grad_overlap (InputReader &ir, const Option &opt, bool longopt); +#endif +#if !defined(DISABLE_GS) + void handle_grad_segments (InputReader &ir, const Option &opt, bool longopt); +#endif +#if !defined(DISABLE_GS) + void handle_grad_simplify (InputReader &ir, const Option &opt, bool longopt); +#endif + void handle_help (InputReader &ir, const Option &opt, bool longopt); + void handle_keep (InputReader &ir, const Option &opt, bool longopt); +#if !defined(HAVE_LIBGS) && !defined(DISABLE_GS) + void handle_libgs (InputReader &ir, const Option &opt, bool longopt); +#endif + void handle_linkmark (InputReader &ir, const Option &opt, bool longopt); + void handle_list_specials (InputReader &ir, const Option &opt, bool longopt); + void handle_mag (InputReader &ir, const Option &opt, bool longopt); + void handle_no_fonts (InputReader &ir, const Option &opt, bool longopt); + void handle_no_merge (InputReader &ir, const Option &opt, bool longopt); + void handle_no_mktexmf (InputReader &ir, const Option &opt, bool longopt); + void handle_no_specials (InputReader &ir, const Option &opt, bool longopt); + void handle_no_styles (InputReader &ir, const Option &opt, bool longopt); + void handle_output (InputReader &ir, const Option &opt, bool longopt); + void handle_page (InputReader &ir, const Option &opt, bool longopt); + void handle_precision (InputReader &ir, const Option &opt, bool longopt); + void handle_progress (InputReader &ir, const Option &opt, bool longopt); + void handle_relative (InputReader &ir, const Option &opt, bool longopt); + void handle_rotate (InputReader &ir, const Option &opt, bool longopt); + void handle_scale (InputReader &ir, const Option &opt, bool longopt); + void handle_stdout (InputReader &ir, const Option &opt, bool longopt); + void handle_trace_all (InputReader &ir, const Option &opt, bool longopt); + void handle_transform (InputReader &ir, const Option &opt, bool longopt); + void handle_translate (InputReader &ir, const Option &opt, bool longopt); + void handle_verbosity (InputReader &ir, const Option &opt, bool longopt); + void handle_version (InputReader &ir, const Option &opt, bool longopt); + void handle_zip (InputReader &ir, const Option &opt, bool longopt); + void handle_zoom (InputReader &ir, const Option &opt, bool longopt); + + private: + static const CmdLineParserBase::Option _options[]; + bool _bbox_given; + std::string _bbox_arg; + bool _cache_given; + std::string _cache_arg; +#if !defined(DISABLE_GS) + bool _clipjoin_given; +#endif + bool _color_given; +#if !defined(DISABLE_GS) + bool _eps_given; +#endif + bool _exact_given; + bool _fontmap_given; + std::string _fontmap_arg; +#if !defined(DISABLE_GS) + bool _grad_overlap_given; +#endif +#if !defined(DISABLE_GS) + bool _grad_segments_given; + int _grad_segments_arg; +#endif +#if !defined(DISABLE_GS) + bool _grad_simplify_given; + double _grad_simplify_arg; +#endif + bool _help_given; + int _help_arg; + bool _keep_given; +#if !defined(HAVE_LIBGS) && !defined(DISABLE_GS) + bool _libgs_given; + std::string _libgs_arg; +#endif + bool _linkmark_given; + std::string _linkmark_arg; + bool _list_specials_given; + bool _mag_given; + double _mag_arg; + bool _no_fonts_given; + int _no_fonts_arg; + bool _no_merge_given; + bool _no_mktexmf_given; + bool _no_specials_given; + std::string _no_specials_arg; + bool _no_styles_given; + bool _output_given; + std::string _output_arg; + bool _page_given; + std::string _page_arg; + bool _precision_given; + int _precision_arg; + bool _progress_given; + double _progress_arg; + bool _relative_given; + bool _rotate_given; + double _rotate_arg; + bool _scale_given; + std::string _scale_arg; + bool _stdout_given; + bool _trace_all_given; + bool _trace_all_arg; + bool _transform_given; + std::string _transform_arg; + bool _translate_given; + std::string _translate_arg; + bool _verbosity_given; + unsigned _verbosity_arg; + bool _version_given; + bool _version_arg; + bool _zip_given; + int _zip_arg; + bool _zoom_given; + double _zoom_arg; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DLLoader.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DLLoader.cpp new file mode 100644 index 00000000000..f227cae1f80 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DLLoader.cpp @@ -0,0 +1,60 @@ +/************************************************************************* +** DLLoader.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include "DLLoader.h" + + +DLLoader::DLLoader (const char *dlname) : _handle(0) +{ + if (dlname && *dlname) { +#ifdef __WIN32__ + _handle = LoadLibrary(dlname); +#else + _handle = dlopen(dlname, RTLD_LAZY); +#endif + } +} + + +DLLoader::~DLLoader () { + if (_handle) { +#ifdef __WIN32__ + FreeLibrary(_handle); +#else + dlclose(_handle); +#endif + } +} + + +/** Loads a function or variable from the dynamic/shared library. + * @param[in] name name of function/variable to load + * @return pointer to loaded symbol, or 0 if the symbol could not be loaded */ +void* DLLoader::loadSymbol (const char *name) { + if (_handle) { +#ifdef __WIN32__ + return (void*)GetProcAddress(_handle, name); +#else + return dlsym(_handle, name); +#endif + } + return 0; +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DLLoader.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DLLoader.h new file mode 100644 index 00000000000..6050467277b --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DLLoader.h @@ -0,0 +1,50 @@ +/************************************************************************* +** DLLoader.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_DLLOADER_H +#define DVISVGM_DLLOADER_H + +#ifdef __WIN32__ + #include <windows.h> +#else + #include <dlfcn.h> +#endif + + +class DLLoader +{ + public: + DLLoader (const char *dlname); + virtual ~DLLoader (); + bool loaded () const {return _handle != 0;} + + protected: + DLLoader () : _handle(0) {} + void* loadSymbol (const char *name); + + private: +#ifdef __WIN32__ + HINSTANCE _handle; +#else + void *_handle; +#endif +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DVIActions.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DVIActions.h new file mode 100644 index 00000000000..d6248d59cf3 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DVIActions.h @@ -0,0 +1,52 @@ +/************************************************************************* +** DVIActions.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_DVIACTIONS_H +#define DVISVGM_DVIACTIONS_H + +#include <string> +#include "Message.h" +#include "types.h" + +class BoundingBox; +struct Font; +class SpecialManager; + + +struct DVIActions +{ + virtual ~DVIActions () {} + virtual void setChar (double x, double y, unsigned c, bool vertical, const Font *f) {} + virtual void setRule (double x, double y, double height, double width) {} + virtual void setTextOrientation (bool vertical) {} + virtual void moveToX (double x) {} + virtual void moveToY (double y) {} + virtual void defineFont (int num, const Font *font) {} + virtual void setFont (int num, const Font *font) {} + virtual void special (const std::string &s, double dvi2bp, bool preprocessing=false) {} + virtual void preamble (const std::string &cmt) {} + virtual void postamble () {} + virtual void beginPage (unsigned pageno, Int32 *c) {} + virtual void endPage (unsigned pageno) {} + virtual BoundingBox& bbox () =0; + virtual void progress (size_t current, size_t total, const char *id=0) {} +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DVIReader.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DVIReader.cpp new file mode 100644 index 00000000000..f84252bff1c --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DVIReader.cpp @@ -0,0 +1,687 @@ +/************************************************************************* +** DVIReader.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <algorithm> +#include <cstdarg> +#include <fstream> +#include <iostream> +#include <sstream> +#include "Color.h" +#include "DVIActions.h" +#include "DVIReader.h" +#include "Font.h" +#include "FontManager.h" +#include "Message.h" +#include "SignalHandler.h" +#include "VectorStream.h" +#include "macros.h" +#include "types.h" + + +using namespace std; + +bool DVIReader::COMPUTE_PROGRESS = false; + + +DVIReader::DVIReader (istream &is, DVIActions *a) : BasicDVIReader(is), _actions(a) +{ + _inPage = false; + _pageHeight = _pageWidth = 0; + _dvi2bp = 0.0; + _tx = _ty = 0; // no cursor translation + _prevYPos = numeric_limits<double>::min(); + _inPostamble = false; + _currFontNum = 0; + _currPageNum = 0; + _pagePos = 0; + _mag = 1; + executePreamble(); + collectBopOffsets(); + executePostamble(); +} + + +DVIActions* DVIReader::replaceActions (DVIActions *a) { + DVIActions *prev_actions = _actions; + _actions = a; + return prev_actions; +} + + +/** Reads a single DVI command from the current position of the input stream and calls the + * corresponding cmdFOO method. + * @return opcode of the command executed */ +int DVIReader::executeCommand () { + SignalHandler::instance().check(); + CommandHandler handler; + int param; // parameter of handler + const streampos cmdpos = tell(); + int opcode = evalCommand(handler, param); + (this->*handler)(param); + if (_dviState.v+_ty != _prevYPos) { + _tx = _ty = 0; + _prevYPos = _dviState.v; + } + if (COMPUTE_PROGRESS && _inPage && _actions) { + size_t pagelen = numberOfPageBytes(_currPageNum-1); + // ensure progress() is called at 0% + if (opcode == 139) // bop? + _actions->progress(0, pagelen); + // ensure progress() is called at 100% + if (peek() == 140) // eop reached? + _pagePos = pagelen; + else + _pagePos += tell()-cmdpos; + _actions->progress(_pagePos, pagelen); + } + return opcode; +} + + +/** Executes all DVI commands read from the input stream. */ +void DVIReader::executeAll () { + int opcode = 0; + while (!eof() && opcode >= 0) { + try { + opcode = executeCommand(); + } + catch (const InvalidDVIFileException &e) { + // end of stream reached + opcode = -1; + } + } +} + + +/** Reads and executes the commands of a single page. + * This methods stops reading after the page's eop command has been executed. + * @param[in] n number of page to be executed + * @returns true if page was read successfully */ +bool DVIReader::executePage (unsigned n) { + clearStream(); // reset all status bits + if (!isStreamValid()) + throw DVIException("invalid DVI file"); + if (n < 1 || n > numberOfPages()) + return false; + + seek(_bopOffsets[n-1]); // goto bop of n-th page + _inPostamble = false; // not in postamble + _currPageNum = n; + while (executeCommand() != 140); // 140 == eop + return true; +} + + +void DVIReader::executePreamble () { + clearStream(); + if (isStreamValid()) { + seek(0); + if (readByte() == 247) { + cmdPre(0); + return; + } + } + throw DVIException("invalid DVI file"); +} + + +/** Moves stream pointer to begin of postamble */ +static void to_postamble (StreamReader &reader) { + reader.clearStream(); + if (!reader.isStreamValid()) + throw DVIException("invalid DVI file"); + + reader.seek(-1, ios::end); // stream pointer to last byte + int count=0; + while (reader.peek() == 223) { + reader.seek(-1, ios::cur); // skip fill bytes + count++; + } + if (count < 4) // the standard requires at least 4 trailing fill bytes + throw DVIException("missing fill bytes at end of file"); + + reader.seek(-4, ios::cur); // now on first byte of q (pointer to begin of postamble) + UInt32 q = reader.readUnsigned(4); // pointer to begin of postamble + reader.seek(q); // now on begin of postamble +} + + +/** Reads and executes the commands of the postamble. */ +void DVIReader::executePostamble () { + to_postamble(*this); + while (executeCommand() != 249); // executes all commands until post_post (= 249) is reached +} + + +/** Collects and records the file offsets of all bop commands. */ +void DVIReader::collectBopOffsets () { + to_postamble(*this); + _bopOffsets.push_back(tell()); // also add offset of postamble + readByte(); // skip post command + UInt32 offset = readUnsigned(4); // offset of final bop + while ((Int32)offset > 0) { // not yet on first bop? + _bopOffsets.push_back(offset); // record offset + seek(offset+41); // skip bop command and the 10 \count values => now on offset of previous bop + offset = readUnsigned(4); + } + reverse(_bopOffsets.begin(), _bopOffsets.end()); +} + + +/** Returns the current x coordinate in PS point units. + * This is the horizontal position where the next output would be placed. */ +double DVIReader::getXPos () const { + return _dviState.h+_tx; +} + + +/** Returns the current y coordinate in PS point units. + * This is the vertical position where the next output would be placed. */ +double DVIReader::getYPos () const { + return _dviState.v+_ty; +} + + +///////////////////////////////////// + +/** Reads and executes DVI preamble command. + * Format: pre ver[1] num[4] den[4] mag[4] cmtlen[1] cmt[cmtlen] */ +void DVIReader::cmdPre (int) { + setDVIFormat((DVIFormat)readUnsigned(1)); // identification number + UInt32 num = readUnsigned(4); // numerator units of measurement + UInt32 den = readUnsigned(4); // denominator units of measurement + if (den == 0) + throw DVIException("denominator of measurement unit is zero"); + _mag = readUnsigned(4); // magnification + UInt32 k = readUnsigned(1); // length of following comment + string cmt = readString(k); // comment + // 1 dviunit * num/den == multiples of 0.0000001m + // 1 dviunit * _dvibp: length of 1 dviunit in PS points * _mag/1000 + _dvi2bp = num/254000.0*72.0/den*_mag/1000.0; + if (_actions) + _actions->preamble(cmt); +} + + +/** Reads and executes DVI postamble command. + * Format: post p[4] num[4] den[4] mag[4] ph[4] pw[4] sd[2] np[2] */ +void DVIReader::cmdPost (int) { + readUnsigned(4); // skip pointer to previous bop + UInt32 num = readUnsigned(4); + UInt32 den = readUnsigned(4); + if (den == 0) + throw DVIException("denominator of measurement unit is zero"); + _mag = readUnsigned(4); + _pageHeight = readUnsigned(4); // height of tallest page in dvi units + _pageWidth = readUnsigned(4); // width of widest page in dvi units + readUnsigned(2); // skip max. stack depth + if (readUnsigned(2) != numberOfPages()) + throw DVIException("page count entry doesn't match actual number of pages"); + + // 1 dviunit * num/den == multiples of 0.0000001m + // 1 dviunit * _dvi2bp: length of 1 dviunit in PS points * _mag/1000 + _dvi2bp = num/254000.0*72.0/den*_mag/1000.0; + _pageHeight *= _dvi2bp; // to pt units + _pageWidth *= _dvi2bp; + _inPostamble = true; + if (_actions) + _actions->postamble(); +} + + +/** Reads and executes DVI post_post command. + * Format: post_post q[4] i[1] 223[>=4] */ +void DVIReader::cmdPostPost (int) { + _inPostamble = false; + readUnsigned(4); // pointer to begin of postamble + setDVIFormat((DVIFormat)readUnsigned(1)); // identification byte + while (readUnsigned(1) == 223); // skip fill bytes (223), eof bit should be set now +} + + +/** Reads and executes Begin-Of-Page command. + * Format: bop c0[+4] ... c9[+4] p[+4] */ +void DVIReader::cmdBop (int) { + Int32 c[10]; + for (int i=0; i < 10; i++) + c[i] = readSigned(4); + readSigned(4); // pointer to peceeding bop (-1 in case of first page) + _dviState.reset(); // set all DVI registers to 0 + while (!_stateStack.empty()) + _stateStack.pop(); + _currFontNum = 0; + _inPage = true; + _pagePos = 0; + beginPage(_currPageNum, c); + if (_actions) + _actions->beginPage(_currPageNum, c); +} + + +/** Reads and executes End-Of-Page command. */ +void DVIReader::cmdEop (int) { + if (!_stateStack.empty()) + throw DVIException("stack not empty at end of page"); + _inPage = false; + endPage(_currPageNum); + if (_actions) + _actions->endPage(_currPageNum); +} + + +/** Reads and executes push command. */ +void DVIReader::cmdPush (int) { + _stateStack.push(_dviState); +} + + +/** Reads and executes pop command (restores pushed position information). */ +void DVIReader::cmdPop (int) { + if (_stateStack.empty()) + throw DVIException("stack empty at pop command"); + else { + DVIState prevState = _dviState; + _dviState = _stateStack.top(); + _stateStack.pop(); + if (_actions) { + if (prevState.h != _dviState.h) + _actions->moveToX(_dviState.h + _tx); + if (prevState.v != _dviState.v) + _actions->moveToY(_dviState.v + _ty); + if (prevState.d != _dviState.d) + _actions->setTextOrientation(_dviState.d != WMODE_LR); + } + } +} + + +/** Helper function that actually sets/puts a charater. It is called by the + * cmdSetChar and cmdPutChar methods. + * @param[in] c character to typeset + * @param[in] moveCursor if true, register h is increased by the character width + * @throw DVIException if method is called ouside a bop/eop pair */ +void DVIReader::putChar (UInt32 c, bool moveCursor) { + if (!_inPage) + throw DVIException("set_char/put_char outside of page"); + + FontManager &fm = FontManager::instance(); + Font *font = fm.getFont(_currFontNum); + if (!font) + throw DVIException("no font selected"); + + if (VirtualFont *vf = dynamic_cast<VirtualFont*>(font)) { // is current font a virtual font? + vector<UInt8> *dvi = const_cast<vector<UInt8>*>(vf->getDVI(c)); // get DVI snippet that describes character c + if (dvi) { + DVIState pos = _dviState; // save current cursor position + _dviState.x = _dviState.y = _dviState.w = _dviState.z = 0; + int save_fontnum = _currFontNum; // save current font number + fm.enterVF(vf); // new font number context + cmdFontNum0(fm.vfFirstFontNum(vf)); + double save_scale = _dvi2bp; + // DVI units in virtual fonts are multiples of 1^(-20) times the scaled size of the VF + _dvi2bp = vf->scaledSize()/(1 << 20); + + VectorInputStream<UInt8> vis(*dvi); + istream &is = replaceStream(vis); + try { + executeAll(); // execute DVI fragment + } + catch (const DVIException &e) { + // Message::estream(true) << "invalid dvi in vf: " << e.getMessage() << endl; // @@ + } + replaceStream(is); // restore previous input stream + _dvi2bp = save_scale; // restore previous scale factor + fm.leaveVF(); // restore previous font number context + cmdFontNum0(save_fontnum); // restore previous font number + _dviState = pos; // restore previous cursor position + } + } + else if (_actions) + _actions->setChar(_dviState.h+_tx, _dviState.v+_ty, c, _dviState.d != WMODE_LR, font); + + if (moveCursor) { + double dist = font->charWidth(c) * font->scaleFactor() * _mag/1000.0; + switch (_dviState.d) { + case WMODE_LR: _dviState.h += dist; break; + case WMODE_TB: _dviState.v += dist; break; + case WMODE_BT: _dviState.v -= dist; break; + } + } +} + + +/** Reads and executes set_char_x command. Puts a character at the current + * position and advances the cursor. + * @param[in] c character to set + * @throw DVIException if method is called ouside a bop/eop pair */ +void DVIReader::cmdSetChar0 (int c) { + putChar(c, true); +} + + +/** Reads and executes setx command. Puts a character at the current + * position and advances the cursor. + * @param[in] len number of parameter bytes (possible values: 1-4) + * @throw DVIException if method is called ouside a bop/eop pair */ +void DVIReader::cmdSetChar (int len) { + // According to the dvi specification all character codes are unsigned + // except len == 4. At the moment all char codes are treated as unsigned... + UInt32 c = readUnsigned(len); // if len == 4 c may be signed + putChar(c, true); +} + + +/** Reads and executes putx command. Puts a character at the current + * position but doesn't change the cursor position. + * @param[in] len number of parameter bytes (possible values: 1-4) + * @throw DVIException if method is called ouside a bop/eop pair */ +void DVIReader::cmdPutChar (int len) { + // According to the dvi specification all character codes are unsigned + // except len == 4. At the moment all char codes are treated as unsigned... + Int32 c = readUnsigned(len); + putChar(c, false); +} + + +/** Reads and executes set_rule command. Puts a solid rectangle at the current + * position and updates the cursor position. + * Format: set_rule h[+4] w[+4] + * @throw DVIException if method is called ouside a bop/eop pair */ +void DVIReader::cmdSetRule (int) { + if (!_inPage) + throw DVIException("set_rule outside of page"); + double height = _dvi2bp*readSigned(4); + double width = _dvi2bp*readSigned(4); + if (_actions && height > 0 && width > 0) + _actions->setRule(_dviState.h+_tx, _dviState.v+_ty, height, width); + moveRight(width); +} + + +/** Reads and executes set_rule command. Puts a solid rectangle at the current + * position but leaves the cursor position unchanged. + * Format: put_rule h[+4] w[+4] + * @throw DVIException if method is called ouside a bop/eop pair */ +void DVIReader::cmdPutRule (int) { + if (!_inPage) + throw DVIException("put_rule outside of page"); + double height = _dvi2bp*readSigned(4); + double width = _dvi2bp*readSigned(4); + if (_actions && height > 0 && width > 0) + _actions->setRule(_dviState.h+_tx, _dviState.v+_ty, height, width); +} + + +void DVIReader::moveRight (double dx) { + switch (_dviState.d) { + case WMODE_LR: _dviState.h += dx; break; + case WMODE_TB: _dviState.v += dx; break; + case WMODE_BT: _dviState.v -= dx; break; + } + if (_actions) { + if (_dviState.d == WMODE_LR) + _actions->moveToX(_dviState.h+_tx); + else + _actions->moveToY(_dviState.v+_ty); + } +} + + +void DVIReader::moveDown (double dy) { + switch (_dviState.d) { + case WMODE_LR: _dviState.v += dy; break; + case WMODE_TB: _dviState.h -= dy; break; + case WMODE_BT: _dviState.h += dy; break; + } + if (_actions) { + if (_dviState.d == WMODE_LR) + _actions->moveToY(_dviState.v+_ty); + else + _actions->moveToX(_dviState.h+_tx); + } +} + + +void DVIReader::cmdRight (int len) {moveRight(_dvi2bp*readSigned(len));} +void DVIReader::cmdDown (int len) {moveDown(_dvi2bp*readSigned(len));} +void DVIReader::cmdX0 (int) {moveRight(_dviState.x);} +void DVIReader::cmdY0 (int) {moveDown(_dviState.y);} +void DVIReader::cmdW0 (int) {moveRight(_dviState.w);} +void DVIReader::cmdZ0 (int) {moveDown(_dviState.z);} +void DVIReader::cmdX (int len) {_dviState.x = _dvi2bp*readSigned(len); cmdX0(0);} +void DVIReader::cmdY (int len) {_dviState.y = _dvi2bp*readSigned(len); cmdY0(0);} +void DVIReader::cmdW (int len) {_dviState.w = _dvi2bp*readSigned(len); cmdW0(0);} +void DVIReader::cmdZ (int len) {_dviState.z = _dvi2bp*readSigned(len); cmdZ0(0);} +void DVIReader::cmdNop (int) {} + + +/** Sets the text orientation (horizontal, vertical). + * This command is only available in DVI files of format 3 (created by pTeX) */ +void DVIReader::cmdDir (int) { + UInt8 wmode = readUnsigned(1); + if (wmode == 4) // yoko mode (4) equals default LR mode (0) + wmode = 0; + if (wmode == 2 || wmode > 3) { + ostringstream oss; + oss << "invalid writing mode value " << wmode << " (0, 1, or 3 expected)"; + throw DVIException(oss.str()); + } + _dviState.d = (WritingMode)wmode; + if (_actions) + _actions->setTextOrientation(_dviState.d != WMODE_LR); +} + + +void DVIReader::cmdXXX (int len) { + if (!_inPage) + throw DVIException("special outside of page"); + UInt32 numBytes = readUnsigned(len); + string s = readString(numBytes); + if (_actions) + _actions->special(s, _dvi2bp); +} + + +/** Selects a previously defined font by its number. + * @param[in] num font number + * @throw DVIException if font number is undefined */ +void DVIReader::cmdFontNum0 (int num) { + if (Font *font = FontManager::instance().getFont(num)) { + _currFontNum = num; + if (_actions && !dynamic_cast<VirtualFont*>(font)) + _actions->setFont(FontManager::instance().fontID(num), font); // all fonts get a recomputed ID + } + else { + ostringstream oss; + oss << "undefined font number " << num; + throw DVIException(oss.str()); + } +} + + +/** Selects a previously defined font. + * @param[in] len size of font number variable (in bytes) + * @throw DVIException if font number is undefined */ +void DVIReader::cmdFontNum (int len) { + UInt32 num = readUnsigned(len); + cmdFontNum0(num); +} + + +/** Helper function to handle a font definition. + * @param[in] fontnum local font number + * @param[in] name font name + * @param[in] cs checksum to be compared with TFM checksum + * @param[in] ds design size in PS point units + * @param[in] ss scaled size in PS point units */ +void DVIReader::defineFont (UInt32 fontnum, const string &name, UInt32 cs, double ds, double ss) { + if (!_inPostamble) // only process font definitions collected in the postamble; skip all others + return; + + FontManager &fm = FontManager::instance(); + int id = fm.registerFont(fontnum, name, cs, ds, ss); + Font *font = fm.getFontById(id); + if (VirtualFont *vf = dynamic_cast<VirtualFont*>(font)) { + // read vf file, register its font and character definitions + fm.enterVF(vf); + ifstream ifs(vf->path(), ios::binary); + VFReader vfReader(ifs); + vfReader.replaceActions(this); + vfReader.executeAll(); + fm.leaveVF(); + } + if (_actions) + _actions->defineFont(id, font); +} + + +/** Defines a new font. + * @param[in] len size of font number variable (in bytes) */ +void DVIReader::cmdFontDef (int len) { + UInt32 fontnum = readUnsigned(len); // font number + UInt32 checksum = readUnsigned(4); // font checksum (to be compared with corresponding TFM checksum) + UInt32 ssize = readUnsigned(4); // scaled size of font in DVI units + UInt32 dsize = readUnsigned(4); // design size of font in DVI units + UInt32 pathlen = readUnsigned(1); // length of font path + UInt32 namelen = readUnsigned(1); // length of font name + readString(pathlen); // skip font path + string fontname = readString(namelen); + + defineFont(fontnum, fontname, checksum, dsize*_dvi2bp, ssize*_dvi2bp); +} + + +/** This template method is called by the VFReader after reading a font definition from a VF file. + * @param[in] fontnum local font number + * @param[in] path path to font file + * @param[in] name font name + * @param[in] checksum checksum to be compared with TFM checksum + * @param[in] dsize design size in PS point units + * @param[in] ssize scaled size in PS point units */ +void DVIReader::defineVFFont (UInt32 fontnum, string path, string name, UInt32 checksum, double dsize, double ssize) { + if (VirtualFont *vf = FontManager::instance().getVF()) + defineFont(fontnum, name, checksum, dsize, ssize * vf->scaleFactor()); +} + + +/** This template method is called by the VFReader after reading a character definition from a VF file. + * @param[in] c character number + * @param[in] dvi DVI fragment describing the character */ +void DVIReader::defineVFChar (UInt32 c, vector<UInt8> *dvi) { + FontManager::instance().assignVfChar(c, dvi); +} + + +/** XDV extension: includes image or pdf file. + * parameters: box[1] matrix[4][6] p[2] len[2] path[l] */ +void DVIReader::cmdXPic (int) { + // just skip the parameters + readUnsigned(1); // box + for (int i=0; i < 6; i++) // matrix + readSigned(4); + readSigned(2); // page number + UInt16 len = readUnsigned(2); + readString(len); // path to image/pdf file +} + + +/** XDV extension: defines a native font */ +void DVIReader::cmdXFontDef (int) { + Int32 fontnum = readSigned(4); + double ptsize = _dvi2bp*readUnsigned(4); + UInt16 flags = readUnsigned(2); + UInt8 psname_len = readUnsigned(1); + UInt8 fmname_len = getDVIFormat() == DVI_XDVOLD ? readUnsigned(1) : 0; + UInt8 stname_len = getDVIFormat() == DVI_XDVOLD ? readUnsigned(1) : 0; + string fontname = readString(psname_len); + UInt32 fontIndex=0; + if (getDVIFormat() == DVI_XDVOLD) + seek(fmname_len+stname_len, ios::cur); + else + fontIndex = readUnsigned(4); + FontStyle style; + Color color; + if (flags & 0x0100) { // vertical? + } + if (flags & 0x0200) { // colored? + // The font color must not interfere with color specials. If the font color is not black, + // all color specials should be ignored, i.e. glyphs of a non-black fonts have a fixed color + // that can't be changed by color specials. + UInt32 rgba = readUnsigned(4); + color.setRGB(UInt8(rgba >> 24), UInt8((rgba >> 16) & 0xff), UInt8((rgba >> 8) & 0xff)); + } + if (flags & 0x1000) // extend? + style.extend = _dvi2bp*readSigned(4); + if (flags & 0x2000) // slant? + style.slant = _dvi2bp*readSigned(4); + if (flags & 0x4000) // embolden? + style.bold = _dvi2bp*readSigned(4); + if ((flags & 0x0800) && (getDVIFormat() == DVI_XDVOLD)) { // variations? + UInt16 num_variations = readSigned(2); + for (int i=0; i < num_variations; i++) + readUnsigned(4); + } + if (_inPage) + FontManager::instance().registerFont(fontnum, fontname, fontIndex, ptsize, style, color); +} + + +/** XDV extension: prints an array of characters where each character + * can take independent x and y coordinates. + * parameters: w[4] n[2] x[4][n] y[4][n] c[2][n] */ +void DVIReader::cmdXGlyphArray (int) { + putGlyphArray(false); +} + + +/** XDV extension: prints an array/string of characters where each character + * can take independent x coordinates whereas all share a single y coordinate. + * parameters: w[4] n[2] x[4][n] y[4] c[2][n] */ +void DVIReader::cmdXGlyphString (int) { + putGlyphArray(true); +} + + +/** Implements the common functionality of cmdXGlyphA and cmdXGlyphS. + * @param[in] xonly indicates if the characters share a single y coordinate (xonly==true) */ +void DVIReader::putGlyphArray (bool xonly) { + double strwidth = _dvi2bp*readSigned(4); + UInt16 num_glyphs = readUnsigned(2); + vector<Int32> x(num_glyphs); + vector<Int32> y(num_glyphs); + for (int i=0; i < num_glyphs; i++) { + x[i] = readSigned(4); + y[i] = xonly ? 0 : readSigned(4); + } + if (!_actions) + seek(2*num_glyphs, ios::cur); + else { + if (Font *font = FontManager::instance().getFont(_currFontNum)) { + for (int i=0; i < num_glyphs; i++) { + UInt16 glyph_index = readUnsigned(2); + double xx = _dviState.h + x[i]*_dvi2bp + _tx; + double yy = _dviState.v + y[i]*_dvi2bp + _ty; + _actions->setChar(xx, yy, glyph_index, false, font); + } + } + } + moveRight(strwidth); +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DVIReader.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DVIReader.h new file mode 100644 index 00000000000..4a1a5f5f899 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DVIReader.h @@ -0,0 +1,144 @@ +/************************************************************************* +** DVIReader.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_DVIREADER_H +#define DVISVGM_DVIREADER_H + +#include <limits> +#include <map> +#include <stack> +#include <string> +#include "BasicDVIReader.h" +#include "MessageException.h" +#include "StreamReader.h" +#include "VFActions.h" +#include "types.h" + + +struct DVIActions; + +class DVIReader : public BasicDVIReader, protected VFActions +{ + enum WritingMode {WMODE_LR=0, WMODE_TB=1, WMODE_BT=3}; + + struct DVIState + { + double h, v; ///< horizontal and vertical cursor position + double x, w, y, z; ///< additional registers to store horizontal (x, w) and vertical (y, z) positions + WritingMode d; ///< direction: 0: horizontal, 1: vertical(top->bottom), 3: vertical (bottom->top) + DVIState () {reset();} + void reset () {h = v = x = w = y = z = 0.0; d=WMODE_LR;} + }; + + public: + DVIReader (std::istream &is, DVIActions *a=0); + + bool executeDocument (); + void executeAll (); + void executePreamble (); + void executePostamble (); + bool executePage (unsigned n); + bool inPostamble () const {return _inPostamble;} + double getXPos () const; + double getYPos () const; + void finishLine () {_prevYPos = std::numeric_limits<double>::min();} + void translateToX (double x) {_tx = x-_dviState.h-_tx;} + void translateToY (double y) {_ty = y-_dviState.v-_ty;} + double getPageWidth () const {return _pageWidth;} + double getPageHeight () const {return _pageHeight;} + int getStackDepth () const {return _stateStack.size();} + int getCurrentFontNumber () const {return _currFontNum;} + unsigned getCurrentPageNumber () const {return _currPageNum;} + unsigned numberOfPages () const {return _bopOffsets.empty() ? 0 : _bopOffsets.size()-1;} + DVIActions* getActions () const {return _actions;} + DVIActions* replaceActions (DVIActions *a); + + protected: + void collectBopOffsets (); + size_t numberOfPageBytes (int n) const {return _bopOffsets.size() > 1 ? _bopOffsets[n+1]-_bopOffsets[n] : 0;} + int executeCommand (); + void moveRight (double dx); + void moveDown (double dy); + void putChar (UInt32 c, bool moveCursor); + void putGlyphArray (bool xonly); + void defineFont (UInt32 fontnum, const std::string &name, UInt32 cs, double ds, double ss); + virtual void beginPage (unsigned pageno, Int32 *c) {} + virtual void endPage (unsigned pageno) {} + + // VFAction methods + void defineVFFont (UInt32 fontnum, std::string path, std::string name, UInt32 checksum, double dsize, double ssize); + void defineVFChar (UInt32 c, std::vector<UInt8> *dvi); + + // the following methods represent the DVI commands + // they are called by executeCommand and should not be used directly + void cmdSetChar0 (int c); + void cmdSetChar (int len); + void cmdPutChar (int len); + void cmdSetRule (int len); + void cmdPutRule (int len); + void cmdNop (int len); + void cmdBop (int len); + void cmdEop (int len); + void cmdPush (int len); + void cmdPop (int len); + void cmdDir (int len); + void cmdRight (int len); + void cmdDown (int len); + void cmdX0 (int len); + void cmdY0 (int len); + void cmdW0 (int len); + void cmdZ0 (int len); + void cmdX (int len); + void cmdY (int len); + void cmdW (int len); + void cmdZ (int len); + void cmdFontDef (int len); + void cmdFontNum0 (int n); + void cmdFontNum (int len); + void cmdXXX (int len); + void cmdPre (int len); + void cmdPost (int len); + void cmdPostPost (int len); + void cmdXPic (int len); + void cmdXFontDef (int len); + void cmdXGlyphArray (int len); + void cmdXGlyphString (int len); + + private: + DVIActions *_actions; ///< actions to be performed on various DVI events + bool _inPage; ///< true if between bop and eop + unsigned _currPageNum; ///< current page number (1 is first page) + int _currFontNum; ///< current font number + double _dvi2bp; ///< factor to convert dvi units to PS points + UInt32 _mag; ///< magnification factor * 1000 + bool _inPostamble; ///< true if stream pointer is inside the postamble + double _pageHeight, _pageWidth; ///< page height and width in PS points + DVIState _dviState; ///< current cursor position + std::stack<DVIState> _stateStack; + std::vector<UInt32> _bopOffsets; + double _prevYPos; ///< previous vertical cursor position + double _tx, _ty; ///< tranlation of cursor position + std::streampos _pagePos; ///< distance of current DVI command from bop (in bytes) + + public: + static bool COMPUTE_PROGRESS; ///< if true, an action to handle the progress ratio of a page is triggered +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DVIToSVG.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DVIToSVG.cpp new file mode 100644 index 00000000000..00becb10aeb --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DVIToSVG.cpp @@ -0,0 +1,340 @@ +/************************************************************************* +** DVIToSVG.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <cstdlib> +#include <ctime> +#include <fstream> +#include <set> +#include <sstream> +#include "Calculator.h" +#include "DVIToSVG.h" +#include "DVIToSVGActions.h" +#include "Font.h" +#include "FontManager.h" +#include "FileFinder.h" +#include "GlyphTracerMessages.h" +#include "InputBuffer.h" +#include "InputReader.h" +#include "Matrix.h" +#include "Message.h" +#include "PageRanges.h" +#include "PageSize.h" +#include "SVGOutput.h" +// +/////////////////////////////////// +// special handlers + +#include "BgColorSpecialHandler.h" +#include "ColorSpecialHandler.h" +#include "DvisvgmSpecialHandler.h" +#include "EmSpecialHandler.h" +#include "PdfSpecialHandler.h" +#include "HtmlSpecialHandler.h" +#ifndef HAVE_LIBGS + #include "NoPsSpecialHandler.h" +#endif +#ifndef DISABLE_GS + #include "PsSpecialHandler.h" +#endif +#include "TpicSpecialHandler.h" +#include "PreScanDVIReader.h" + +/////////////////////////////////// + +using namespace std; + + +/** 'a': trace all glyphs even if some of them are already cached + * 'm': trace missing glyphs, i.e. glyphs not yet cached + * 0 : only trace actually required glyphs */ +char DVIToSVG::TRACE_MODE = 0; + + +DVIToSVG::DVIToSVG (istream &is, SVGOutputBase &out) : DVIReader(is), _out(out) +{ + replaceActions(new DVIToSVGActions(*this, _svg)); +} + + +DVIToSVG::~DVIToSVG () { + delete replaceActions(0); +} + + +/** Starts the conversion process. + * @param[in] first number of first page to convert + * @param[in] last number of last page to convert + * @param[out] pageinfo (number of converted pages, number of total pages) */ +void DVIToSVG::convert (unsigned first, unsigned last, pair<int,int> *pageinfo) { + if (first > last) + swap(first, last); + if (first > numberOfPages()) { + ostringstream oss; + oss << "file contains only " << numberOfPages() << " page"; + if (numberOfPages() > 1) + oss << 's'; + throw DVIException(oss.str()); + } + last = min(last, numberOfPages()); + + for (unsigned i=first; i <= last; ++i) { + executePage(i); + _svg.removeRedundantElements(); + embedFonts(_svg.rootNode()); + _svg.write(_out.getPageStream(getCurrentPageNumber(), numberOfPages())); + string fname = _out.filename(i, numberOfPages()); + Message::mstream(false, Message::MC_PAGE_WRITTEN) << "\npage written to " << (fname.empty() ? "<stdout>" : fname) << '\n'; + _svg.reset(); + static_cast<DVIToSVGActions*>(getActions())->reset(); + } + if (pageinfo) { + pageinfo->first = last-first+1; + pageinfo->second = numberOfPages(); + } +} + + +/** Convert DVI pages specified by a page range string. + * @param[in] rangestr string describing the pages to convert + * @param[out] pageinfo (number of converted pages, number of total pages) */ +void DVIToSVG::convert (const string &rangestr, pair<int,int> *pageinfo) { + PageRanges ranges; + if (!ranges.parse(rangestr, numberOfPages())) + throw MessageException("invalid page range format"); + + Message::mstream(false, Message::MC_PAGE_NUMBER) << "pre-processing DVI file (format " << getDVIFormat() << ")\n"; + if (DVIToSVGActions *actions = dynamic_cast<DVIToSVGActions*>(getActions())) { + PreScanDVIReader prescan(getInputStream(), actions); + actions->setDVIReader(prescan); + prescan.executeAllPages(); + actions->setDVIReader(*this); + SpecialManager::instance().notifyPreprocessingFinished(); + } + + FORALL(ranges, PageRanges::ConstIterator, it) + convert(it->first, it->second); + if (pageinfo) { + pageinfo->first = ranges.numberOfPages(); + pageinfo->second = numberOfPages(); + } +} + + +/** This template method is called by parent class DVIReader before + * executing the BOP actions. + * @param[in] pageno physical page number (1 = first page) + * @param[in] c contains information about the page (page number etc.) */ +void DVIToSVG::beginPage (unsigned pageno, Int32 *c) { + if (dynamic_cast<DVIToSVGActions*>(getActions())) { + Message::mstream().indent(0); + Message::mstream(false, Message::MC_PAGE_NUMBER) << "processing page " << pageno; + if (pageno != (unsigned)c[0]) // Does page number shown on page differ from physical page number? + Message::mstream(false) << " [" << c[0] << ']'; + Message::mstream().indent(1); + _svg.appendToDoc(new XMLCommentNode(" This file was generated by dvisvgm " VERSION " ")); + } +} + + +/** This template method is called by parent class DVIReader before + * executing the EOP actions. */ +void DVIToSVG::endPage (unsigned pageno) { + if (!dynamic_cast<DVIToSVGActions*>(getActions())) + return; + + SpecialManager::instance().notifyEndPage(pageno); + // set bounding box and apply page transformations + BoundingBox &bbox = getActions()->bbox(); + bbox.unlock(); + Matrix matrix; + getPageTransformation(matrix); + static_cast<DVIToSVGActions*>(getActions())->setPageMatrix(matrix); + if (_bboxString == "min") + bbox.transform(matrix); + if (string("dvi none min").find(_bboxString) == string::npos) { + istringstream iss(_bboxString); + StreamInputReader ir(iss); + ir.skipSpace(); + if (isalpha(ir.peek())) { + // set explicitly given page format + PageSize size(_bboxString); + if (size.valid()) { + // convention: DVI position (0,0) equals (1in, 1in) relative + // to the upper left vertex of the page (see DVI specification) + const double border = -72; + bbox = BoundingBox(border, border, size.widthInBP()+border, size.heightInBP()+border); + } + } + else { // set/modify bounding box by explicitly given values + try { + bbox.set(_bboxString); + } + catch (const MessageException &e) { + } + } + } + else if (_bboxString == "dvi") { + // center page content + double dx = (getPageWidth()-bbox.width())/2; + double dy = (getPageHeight()-bbox.height())/2; + bbox += BoundingBox(-dx, -dy, dx, dy); + } + if (_bboxString != "none") { + if (bbox.width() == 0) + Message::wstream(false) << "\npage is empty\n"; + else { + _svg.setBBox(bbox); + + const double bp2pt = 72.27/72; + const double bp2mm = 25.4/72; + Message::mstream(false) << '\n'; + Message::mstream(false, Message::MC_PAGE_SIZE) << "page size: " << XMLString(bbox.width()*bp2pt) << "pt" + " x " << XMLString(bbox.height()*bp2pt) << "pt" + " (" << XMLString(bbox.width()*bp2mm) << "mm" + " x " << XMLString(bbox.height()*bp2mm) << "mm)"; + Message::mstream(false) << '\n'; + } + } +} + + +void DVIToSVG::getPageTransformation(Matrix &matrix) const { + if (_transCmds.empty()) + matrix.set(1); // unity matrix + else { + Calculator calc; + if (getActions()) { + const double bp2pt = 72.27/72; + BoundingBox &bbox = getActions()->bbox(); + calc.setVariable("ux", bbox.minX()*bp2pt); + calc.setVariable("uy", bbox.minY()*bp2pt); + calc.setVariable("w", bbox.width()*bp2pt); + calc.setVariable("h", bbox.height()*bp2pt); + } + calc.setVariable("pt", 1); + calc.setVariable("in", 72.27); + calc.setVariable("cm", 72.27/2.54); + calc.setVariable("mm", 72.27/25.4); + matrix.set(_transCmds, calc); + } +} + + +static void collect_chars (map<const Font*, set<int> > &fm) { + typedef const map<const Font*, set<int> > UsedCharsMap; + FORALL(fm, UsedCharsMap::const_iterator, it) { + if (it->first->uniqueFont() != it->first) { + FORALL(it->second, set<int>::const_iterator, cit) + fm[it->first->uniqueFont()].insert(*cit); + } + } +} + + +/** Adds the font information to the SVG tree. + * @param[in] svgElement the font nodes are added to this node */ +void DVIToSVG::embedFonts (XMLElementNode *svgElement) { + if (!svgElement) + return; + if (!getActions()) // no dvi actions => no chars written => no fonts to embed + return; + + typedef map<const Font*, set<int> > UsedCharsMap; + const DVIToSVGActions *svgActions = static_cast<DVIToSVGActions*>(getActions()); + UsedCharsMap &usedChars = svgActions->getUsedChars(); + + collect_chars(usedChars); + + GlyphTracerMessages messages; + set<const Font*> tracedFonts; // collect unique fonts already traced + FORALL(usedChars, UsedCharsMap::const_iterator, it) { + const Font *font = it->first; + if (const PhysicalFont *ph_font = dynamic_cast<const PhysicalFont*>(font)) { + // Check if glyphs should be traced. Only trace the glyphs of unique fonts, i.e. + // avoid retracing the same glyphs again if they are referenced in various sizes. + if (TRACE_MODE != 0 && tracedFonts.find(ph_font->uniqueFont()) == tracedFonts.end()) { + ph_font->traceAllGlyphs(TRACE_MODE == 'a', &messages); + tracedFonts.insert(ph_font->uniqueFont()); + } + if (font->path()) // does font file exist? + _svg.append(*ph_font, it->second, &messages); + else + Message::wstream(true) << "can't embed font '" << font->name() << "'\n"; + } + else + Message::wstream(true) << "can't embed font '" << font->name() << "'\n"; + } + _svg.appendFontStyles(svgActions->getUsedFonts()); +} + + +/** Enables or disables processing of specials. If ignorelist == 0, all + * supported special handlers are loaded. To disable selected sets of specials, + * the corresponding prefixes can be given separated by non alpha-numeric characters, + * e.g. "color, ps, em" or "color: ps em" etc. + * A single "*" in the ignore list disables all specials. + * @param[in] ignorelist list of special prefixes to ignore + * @param[in] pswarning if true, shows warning about disabled PS support + * @return the SpecialManager that handles special statements */ +void DVIToSVG::setProcessSpecials (const char *ignorelist, bool pswarning) { + if (ignorelist && strcmp(ignorelist, "*") == 0) { // ignore all specials? + SpecialManager::instance().unregisterHandlers(); + } + else { + // add special handlers + SpecialHandler *handlers[] = { + 0, // placeholder for PsSpecialHandler + new BgColorSpecialHandler, // handles background color special + new ColorSpecialHandler, // handles color specials + new DvisvgmSpecialHandler, // handles raw SVG embeddings + new EmSpecialHandler, // handles emTeX specials + new HtmlSpecialHandler, // handles hyperref specials + new PdfSpecialHandler, // handles pdf specials + new TpicSpecialHandler, // handles tpic specials + 0 + }; + SpecialHandler **p = handlers; +#ifndef DISABLE_GS + if (Ghostscript().available()) + *p = new PsSpecialHandler; + else +#endif + { +#ifndef HAVE_LIBGS + *p = new NoPsSpecialHandler; // dummy PS special handler that only prints warning messages + if (pswarning) { +#ifdef DISABLE_GS + Message::wstream() << "processing of PostScript specials has been disabled permanently\n"; +#else + Message::wstream() << "processing of PostScript specials is disabled (Ghostscript not found)\n"; +#endif + } +#endif + } + SpecialManager::instance().unregisterHandlers(); + SpecialManager::instance().registerHandlers(p, ignorelist); + } +} + + +string DVIToSVG::getSVGFilename (unsigned pageno) const { + return _out.filename(pageno, numberOfPages()); +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DVIToSVG.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DVIToSVG.h new file mode 100644 index 00000000000..9e3f5d659ca --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DVIToSVG.h @@ -0,0 +1,63 @@ +/************************************************************************* +** DVIToSVG.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_DVITOSVG_H +#define DVISVGM_DVITOSVG_H + +#include <iostream> +#include <string> +#include <utility> +#include "DVIReader.h" +#include "SpecialManager.h" +#include "SVGTree.h" + +class Matrix; +struct SVGOutputBase; + +class DVIToSVG : public DVIReader +{ + public: + DVIToSVG (std::istream &is, SVGOutputBase &out); + ~DVIToSVG (); + void convert (const std::string &range, std::pair<int,int> *pageinfo=0); + void setPageSize (const std::string &name) {_bboxString = name;} + void setPageTransformation (const std::string &cmds) {_transCmds = cmds;} + void getPageTransformation (Matrix &matrix) const; + std::string getSVGFilename (unsigned pageno) const; + static void setProcessSpecials (const char *ignorelist=0, bool pswarning=false); + + public: + static char TRACE_MODE; + + protected: + DVIToSVG (const DVIToSVG &); + void convert (unsigned firstPage, unsigned lastPage, std::pair<int,int> *pageinfo=0); + void beginPage (unsigned pageno, Int32 *c); + void endPage (unsigned pageno); + void embedFonts (XMLElementNode *svgElement); + + private: + SVGTree _svg; + SVGOutputBase &_out; + std::string _bboxString; + std::string _transCmds; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DVIToSVGActions.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DVIToSVGActions.cpp new file mode 100644 index 00000000000..adf4ebe549d --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DVIToSVGActions.cpp @@ -0,0 +1,368 @@ +/************************************************************************* +** DVIToSVGActions.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <cstring> +#include <ctime> +#include "BoundingBox.h" +#include "DVIToSVG.h" +#include "DVIToSVGActions.h" +#include "Font.h" +#include "FontManager.h" +#include "GlyphTracerMessages.h" +#include "SpecialManager.h" +#include "System.h" +#include "XMLNode.h" +#include "XMLString.h" + + +using namespace std; + + +DVIToSVGActions::DVIToSVGActions (DVIToSVG &dvisvg, SVGTree &svg) + : _svg(svg), _dvireader(&dvisvg), _pageMatrix(0), _bgcolor(Color::TRANSPARENT), _boxes(0) +{ + _currentFontNum = -1; + _pageCount = 0; +} + + +DVIToSVGActions::~DVIToSVGActions () { + delete _pageMatrix; + delete _boxes; +} + + +void DVIToSVGActions::reset() { + _usedChars.clear(); + _usedFonts.clear(); + _bbox = BoundingBox(); + _currentFontNum = -1; + _bgcolor = Color::TRANSPARENT; +} + + +void DVIToSVGActions::setPageMatrix (const Matrix &matrix) { + delete _pageMatrix; + _pageMatrix = new Matrix(matrix); +} + + +void DVIToSVGActions::moveToX (double x) { + SpecialManager::instance().notifyPositionChange(getX(), getY()); + _svg.setX(x); +} + + +void DVIToSVGActions::moveToY (double y) { + SpecialManager::instance().notifyPositionChange(getX(), getY()); + _svg.setY(y); +} + + +string DVIToSVGActions::getSVGFilename (unsigned pageno) const { + if (DVIToSVG *dvi2svg = dynamic_cast<DVIToSVG*>(_dvireader)) + return dvi2svg->getSVGFilename(pageno); + return ""; +} + + +/** This method is called when a "set char" command was found in the DVI file. + * It draws a character of the current font. + * @param[in] x horizontal position of left bounding box edge + * @param[in] y vertical position of the character's baseline + * @param[in] c character code relative to the current font + * @param[in] vertical true if we're in vertical mode + * @param[in] font font to be used */ +void DVIToSVGActions::setChar (double x, double y, unsigned c, bool vertical, const Font *font) { + // If we use SVG fonts there is no need to record all font name/char/size combinations + // because the SVG font mechanism handles this automatically. It's sufficient to + // record font names and chars. The various font sizes can be ignored here. + // For a given font object, Font::uniqueFont() returns the same unique font object for + // all fonts with the same name. + _usedChars[SVGTree::USE_FONTS ? font->uniqueFont() : font].insert(c); + + // However, we record all required fonts + _usedFonts.insert(font); + _svg.appendChar(c, x, y, *font); + + static string fontname; + GlyphTracerMessages callback(fontname != font->name(), false); + fontname = font->name(); + + BoundingBox charbox; + GlyphMetrics metrics; + font->getGlyphMetrics(c, vertical, metrics); + const PhysicalFont* pf = dynamic_cast<const PhysicalFont*>(font); + if (PhysicalFont::EXACT_BBOX && pf) { + GlyphMetrics exact_metrics; + pf->getExactGlyphBox(c, exact_metrics, vertical, &callback); + if (vertical) { + // move top of bbox to upper margin of glyph (just an approximation yet) + y += (metrics.d-exact_metrics.h-exact_metrics.d)/2; + } + metrics = exact_metrics; + } + BoundingBox bbox(x-metrics.wl, y-metrics.h, x+metrics.wr, y+metrics.d); + + // update bounding box + if (!getMatrix().isIdentity()) + bbox.transform(getMatrix()); + embed(bbox); +#if 0 + XMLElementNode *rect = new XMLElementNode("rect"); + rect->addAttribute("x", x-metrics.wl); + rect->addAttribute("y", y-metrics.h); + rect->addAttribute("width", metrics.wl+metrics.wr); + rect->addAttribute("height", metrics.h+metrics.d); + rect->addAttribute("fill", "none"); + rect->addAttribute("stroke", "red"); + rect->addAttribute("stroke-width", "0.5"); + _svg.appendToPage(rect); + if (metrics.d > 0) { + XMLElementNode *line = new XMLElementNode("line"); + line->addAttribute("x1", x-metrics.wl); + line->addAttribute("y1", y); + line->addAttribute("x2", x+metrics.wr); + line->addAttribute("y2", y); + line->addAttribute("stroke", "blue"); + line->addAttribute("stroke-width", "0.5"); + _svg.appendToPage(line); + } + if (metrics.wl > 0) { + XMLElementNode *line = new XMLElementNode("line"); + line->addAttribute("x1", x); + line->addAttribute("y1", y-metrics.h); + line->addAttribute("x2", x); + line->addAttribute("y2", y+metrics.d); + line->addAttribute("stroke", "blue"); + line->addAttribute("stroke-width", "0.5"); + _svg.appendToPage(line); + } +#endif +} + + +/** This method is called when a "set rule" or "put rule" command was found in the + * DVI file. It draws a solid unrotated rectangle. + * @param[in] x horizontal position of left edge + * @param[in] y vertical position of bottom(!) edge + * @param[in] height length of the vertical edges + * @param[in] width length of the horizontal edges */ +void DVIToSVGActions::setRule (double x, double y, double height, double width) { + // (x,y) is the lower left corner of the rectangle + XMLElementNode *rect = new XMLElementNode("rect"); + rect->addAttribute("x", x); + rect->addAttribute("y", y-height); + rect->addAttribute("height", height); + rect->addAttribute("width", width); + if (!getMatrix().isIdentity()) + rect->addAttribute("transform", getMatrix().getSVG()); + if (getColor() != Color::BLACK) + rect->addAttribute("fill", _svg.getColor().rgbString()); + _svg.appendToPage(rect); + + // update bounding box + BoundingBox bb(x, y-height, x+width, y); + if (!getMatrix().isIdentity()) + bb.transform(getMatrix()); + embed(bb); +} + + +/** This method is called when a "set font" command was found in the DVI file. The + * font must be previously defined. + * @param[in] num unique number of the font in the DVI file (not necessarily equal to the DVI font number) + * @param[in] font pointer to the font object (always represents a physical font and never a virtual font) */ +void DVIToSVGActions::setFont (int num, const Font *font) { + _currentFontNum = num; + _svg.setFont(num, font); +} + + +/** This method is called when a "special" command was found in the DVI file. + * @param[in] spc the special expression + * @param[in] dvi2bp factor to scale DVI units to PS points + * @param[in] preprocessing if true, the DVI file is being pre-processed */ +void DVIToSVGActions::special (const string &spc, double dvi2bp, bool preprocessing) { + try { + if (preprocessing) + SpecialManager::instance().preprocess(spc, this); + else + SpecialManager::instance().process(spc, dvi2bp, this); + // @@ output message in case of unsupported specials? + } + catch (const SpecialException &e) { + Message::estream(true) << "error in special: " << e.what() << '\n'; + } +} + + +/** This method is called when the DVI preamble was read + * @param[in] cmt preamble comment text. */ +void DVIToSVGActions::preamble (const string &cmt) { +} + + +void DVIToSVGActions::postamble () { +} + + +/** This method is called when a "begin of page (bop)" command was found in the DVI file. + * @param[in] pageno physical page number + * @param[in] c array with 10 components representing \\count0 ... \\count9. c[0] contains the + * current (printed) page number (may differ from page count) */ +void DVIToSVGActions::beginPage (unsigned pageno, Int32 *c) { + _svg.newPage(++_pageCount); + _bbox = BoundingBox(); // clear bounding box + if (_boxes) + _boxes->clear(); +} + + +/** This method is called when an "end of page (eop)" command was found in the DVI file. */ +void DVIToSVGActions::endPage (unsigned pageno) { + _svg.transformPage(_pageMatrix); + if (_bgcolor != Color::TRANSPARENT) { + // create a rectangle filled with the background color + XMLElementNode *r = new XMLElementNode("rect"); + r->addAttribute("x", _bbox.minX()); + r->addAttribute("y", _bbox.minY()); + r->addAttribute("width", _bbox.width()); + r->addAttribute("height", _bbox.height()); + r->addAttribute("fill", _bgcolor.rgbString()); + _svg.prependToPage(r); + } +} + + +void DVIToSVGActions::setBgColor (const Color &color) { + _bgcolor = color; +} + + +void DVIToSVGActions::embed(const BoundingBox& bbox) { + _bbox.embed(bbox); + if (_boxes) { + FORALL(*_boxes, BoxMap::iterator, it) + it->second.embed(bbox); + } +} + + +void DVIToSVGActions::embed(const DPair& p, double r) { + if (r == 0) + _bbox.embed(p); + else + _bbox.embed(p, r); + if (_boxes) + FORALL(*_boxes, BoxMap::iterator, it) + it->second.embed(p, r); +} + + +BoundingBox& DVIToSVGActions::bbox(const string& name, bool reset) { + if (!_boxes) + _boxes = new BoxMap; + BoundingBox &box = (*_boxes)[name]; + if (reset) + box = BoundingBox(); + return box; +} + + +/** This method is called by subprocesses like the PS handler when + * a computation step has finished. Since the total number of steps + * can't be determined in advance, we don't show a percent value but + * a rotating dash. */ +void DVIToSVGActions::progress (const char *id) { + if (PROGRESSBAR_DELAY < 1000) { + static double time=0; + // slow down updating of the progress indicator to prevent flickering + if (System::time() - time > 0.1) { + progress(0, 0, id); + time = System::time(); + } + } +} + + +/** Returns the number of digits of a given integer. */ +static int digits (int n) { + if (n == 0) + return 1; + if (n > 0) + return int(log10(double(n))+1); + return int(log10(double(-n))+2); +} + + +/** Draws a simple progress indicator. + * @param[in] current current iteration step (of 'total' steps) + * @param[in] total total number of iteration steps + * @param[in] id ID of the subprocess providing the information */ +void DVIToSVGActions::progress (size_t current, size_t total, const char *id) { + static double time=0; + static bool draw=false; // show progress indicator? + static const char *prev_id=0; + if (current == 0 && total > 0) { + time = System::time(); + draw = false; + Message::mstream() << '\n'; + } + // don't show the progress indicator before the given time has elapsed + if (!draw && System::time()-time > PROGRESSBAR_DELAY) { + draw = true; + Terminal::cursor(false); + } + if (draw && (System::time() - time > 0.1 || (total > 0 && current == total) || prev_id != id)) { + static int step = -1; // >=0: rotating dash + static size_t prev_current=0, prev_total=1; + const char *tips = "-\\|/"; + if (total == 0) { + current = prev_current; + total = prev_total; + step = (step+1) % 4; + } + else { + prev_current = current; + prev_total = total; + step = -1; + } + // adapt length of progress indicator to terminal width + int cols = Terminal::columns(); + int width = (cols == 0 || cols > 60) ? 50 : 49-60+cols; + double factor = double(current)/double(total); + int length = int(width*factor); + Message::mstream(false, Message::MC_PROGRESS) + << '[' << string(length, '=') + << (factor < 1.0 ? (step < 0 ? ' ' : tips[step]) : '=') + << string(width-length, ' ') + << "] " << string(3-digits(int(100*factor)), ' ') << int(100*factor) + << "%\r"; + // overprint indicator when finished + if (factor == 1.0) { + Message::estream().clearline(); + Terminal::cursor(true); + } + time = System::time(); + prev_id = id; + } +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DVIToSVGActions.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DVIToSVGActions.h new file mode 100644 index 00000000000..873f104550a --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DVIToSVGActions.h @@ -0,0 +1,105 @@ +/************************************************************************* +** DVIToSVGActions.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_DVITOSVGACTIONS_H +#define DVISVGM_DVITOSVGACTIONS_H + +#include <map> +#include <set> +#include "BoundingBox.h" +#include "DVIActions.h" +#include "Matrix.h" +#include "SpecialActions.h" +#include "SpecialManager.h" +#include "SVGTree.h" +#include "DVIReader.h" + + +class DVIToSVG; +struct FileFinder; +struct Font; +struct XMLNode; + +class DVIToSVGActions : public DVIActions, public SpecialActions +{ + typedef std::map<const Font*, std::set<int> > CharMap; + typedef std::set<const Font*> FontSet; + typedef std::map<std::string,BoundingBox> BoxMap; + + public: + DVIToSVGActions (DVIToSVG &dvisvg, SVGTree &svg); + ~DVIToSVGActions (); + void reset (); + void setChar (double x, double y, unsigned c, bool vertical, const Font *f); + void setRule (double x, double y, double height, double width); + void setBgColor (const Color &color); + void setColor (const Color &color) {_svg.setColor(color);} + void setMatrix (const Matrix &m) {_svg.setMatrix(m);} + const Matrix& getMatrix () const {return _svg.getMatrix();} + void getPageTransform (Matrix &matrix) const {_dvireader->getPageTransformation(matrix);} + Color getColor () const {return _svg.getColor();} + int getDVIStackDepth() const {return _dvireader->getStackDepth();} + unsigned getCurrentPageNumber() const {return _dvireader->getCurrentPageNumber();} + void appendToPage (XMLNode *node) {_svg.appendToPage(node);} + void appendToDefs (XMLNode *node) {_svg.appendToDefs(node);} + void prependToPage (XMLNode *node) {_svg.prependToPage(node);} + void pushContextElement (XMLElementNode *node) {_svg.pushContextElement(node);} + void popContextElement () {_svg.popContextElement();} + void setTextOrientation(bool vertical) {_svg.setVertical(vertical);} + void moveToX (double x); + void moveToY (double y); + void setFont (int num, const Font *font); + void special (const std::string &spc, double dvi2bp, bool preprocessing=false); + void preamble (const std::string &cmt); + void postamble (); + void beginPage (unsigned pageno, Int32 *c); + void endPage (unsigned pageno); + void progress (size_t current, size_t total, const char *id=0); + void progress (const char *id); + CharMap& getUsedChars () const {return _usedChars;} + const FontSet& getUsedFonts () const {return _usedFonts;} + void setDVIReader (BasicDVIReader &r) {_dvireader = &r;} + void setPageMatrix (const Matrix &tm); + double getX() const {return _dvireader->getXPos();} + double getY() const {return _dvireader->getYPos();} + void setX (double x) {_dvireader->translateToX(x); _svg.setX(x);} + void setY (double y) {_dvireader->translateToY(y); _svg.setY(y);} + void finishLine () {_dvireader->finishLine();} + BoundingBox& bbox () {return _bbox;} + BoundingBox& bbox (const std::string &name, bool reset=false); + void embed (const BoundingBox &bbox); + void embed (const DPair &p, double r=0); + std::string getSVGFilename (unsigned pageno) const; + + private: + SVGTree &_svg; + BasicDVIReader *_dvireader; + BoundingBox _bbox; + int _pageCount; + int _currentFontNum; + mutable CharMap _usedChars; + FontSet _usedFonts; + Matrix *_pageMatrix; // transformation of whole page + Color _bgcolor; + BoxMap *_boxes; +}; + + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DependencyGraph.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DependencyGraph.h new file mode 100644 index 00000000000..e00a68ffbd1 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DependencyGraph.h @@ -0,0 +1,122 @@ +/************************************************************************* +** DependencyGraph.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + + +#ifndef DEPENDENCYGRAPH_H +#define DEPENDENCYGRAPH_H + +#include <map> +#include <vector> + +template <typename T> +class DependencyGraph +{ + struct GraphNode { + typedef typename std::vector<GraphNode*> Dependees; + typedef typename Dependees::iterator Iterator; + + GraphNode (const T &k) : key(k), dependent(0) {} + + void addDependee (GraphNode *node) { + if (node) { + node->dependent = this; + dependees.push_back(node); + } + } + + void deleteDependentsAndSelf () { + if (dependent) + dependent->deleteDependentsAndSelf(); + for (typename Dependees::iterator it = dependees.begin(); it != dependees.end(); ++it) + (*it)->dependent = 0; + delete this; + } + + T key; + GraphNode *dependent; + Dependees dependees; + }; + + typedef std::map<T, GraphNode*> NodeMap; + + public: + ~DependencyGraph() { + for (typename NodeMap::iterator it=_nodeMap.begin(); it != _nodeMap.end(); ++it) + delete it->second; + } + + void insert (const T &key) { + if (!contains(key)) + _nodeMap[key] = new GraphNode(key); + } + + void insert (const T &depKey, const T &key) { + if (contains(key)) + return; + typename NodeMap::iterator it = _nodeMap.find(depKey); + if (it != _nodeMap.end()) { + GraphNode *node = new GraphNode(key); + it->second->addDependee(node); + _nodeMap[key] = node; + } + } + + void removeDependencyPath (const T &key) { + typename NodeMap::iterator it = _nodeMap.find(key); + if (it != _nodeMap.end()) { + GraphNode *startNode = it->second; + for (GraphNode *node=startNode; node; node=node->dependent) + _nodeMap.erase(node->key); + startNode->deleteDependentsAndSelf(); + } + } + + void getKeys (std::vector<T> &keys) const { + for (typename NodeMap::const_iterator it=_nodeMap.begin(); it != _nodeMap.end(); ++it) + keys.push_back(it->first); + } + + bool contains (const T &value) const { + return _nodeMap.find(value) != _nodeMap.end(); + } + + bool empty () const { + return _nodeMap.empty(); + } + +#if 0 + void writeDOT (std::ostream &os) const { + os << "digraph {\n"; + for (typename NodeMap::const_iterator it=_nodeMap.begin(); it != _nodeMap.end(); ++it) { + GraphNode *node = it->second; + if (node->dependent) + os << (node->key) << " -> " << (node->dependent->key) << ";\n"; + else if (node->dependees.empty()) + os << (node->key) << ";\n"; + } + os << "}\n"; + } +#endif + + private: + NodeMap _nodeMap; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Directory.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Directory.cpp new file mode 100644 index 00000000000..0bc3c555e45 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Directory.cpp @@ -0,0 +1,129 @@ +/************************************************************************* +** Directory.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include "Directory.h" + +using namespace std; + +#ifdef __WIN32__ + #include <windows.h> +#else + #include <errno.h> + #include <sys/stat.h> +#endif + + +Directory::Directory () { +#if __WIN32__ + handle = INVALID_HANDLE_VALUE; + firstread = true; + memset(&fileData, 0, sizeof(WIN32_FIND_DATA)); +#else + dir = 0; + dirent = 0; +#endif +} + + +Directory::Directory (string dirname) { +#if __WIN32__ + handle = INVALID_HANDLE_VALUE; + firstread = true; + memset(&fileData, 0, sizeof(WIN32_FIND_DATA)); +#else + dir = 0; + dirent = 0; +#endif + open(dirname); +} + + +Directory::~Directory () { + close(); +} + + +bool Directory::open (string dname) { + _dirname = dname; +#ifdef __WIN32__ + firstread = true; + if (dname[dname.length()-1] == '/' || dname[dname.length()-1] == '\\') + dname = dname.substr(0, dname.length()-1); + dname += "\\*"; + handle = FindFirstFile(dname.c_str(), &fileData); + return handle != INVALID_HANDLE_VALUE; +#else + dir = opendir(_dirname.c_str()); + return dir; +#endif +} + + +void Directory::close () { +#ifdef __WIN32__ + FindClose(handle); +#else + closedir(dir); +#endif +} + + +/** Reads first/next directory entry. + * @param[in] type type of entry to return (a: file or dir, f: file, d: dir) + * @return name of entry */ +const char* Directory::read (EntryType type) { +#ifdef __WIN32__ + if (handle == INVALID_HANDLE_VALUE) + return 0; + while (firstread || FindNextFile(handle, &fileData)) { + firstread = false; + if (fileData.dwFileAttributes & FILE_ATTRIBUTE_DIRECTORY) { + if (type == ET_FILE_OR_DIR || type == ET_DIR) + return fileData.cFileName; + } + else if (type == ET_FILE_OR_DIR || type == ET_FILE) + return fileData.cFileName; + } + FindClose(handle); + handle = INVALID_HANDLE_VALUE; + return 0; +#else + if (!dir) + return 0; + while ((dirent = readdir(dir))) { + string path = string(_dirname) + "/" + dirent->d_name; + struct stat stats; + if (stat(path.c_str(), &stats) == 0) { + if (S_ISDIR(stats.st_mode)) { + if (type == ET_FILE_OR_DIR || type == ET_DIR) + return dirent->d_name; + } + else if (type == ET_FILE_OR_DIR || type == ET_FILE) + return dirent->d_name; + } + } + closedir(dir); + dir = 0; + return 0; +#endif +} + + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Directory.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Directory.h new file mode 100644 index 00000000000..17bd10f507d --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Directory.h @@ -0,0 +1,56 @@ +/************************************************************************* +** Directory.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_DIRECTORY_H +#define DVISVGM_DIRECTORY_H + +#include <string> +#ifdef __WIN32__ + #include <windows.h> +#else + #include <dirent.h> +#endif + +class Directory +{ + public: + enum EntryType {ET_FILE, ET_DIR, ET_FILE_OR_DIR}; + + public: + Directory (); + Directory (std::string path); + ~Directory (); + bool open (std::string path); + void close (); + const char* read (EntryType type=ET_FILE_OR_DIR); + + private: + std::string _dirname; +#ifdef __WIN32__ + bool firstread; + HANDLE handle; + WIN32_FIND_DATA fileData; +#else + DIR *dir; + struct dirent *dirent; +#endif +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DvisvgmSpecialHandler.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DvisvgmSpecialHandler.cpp new file mode 100644 index 00000000000..809172d0b8c --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DvisvgmSpecialHandler.cpp @@ -0,0 +1,354 @@ +/************************************************************************* +** DvisvgmSpecialHandler.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <cstring> +#include <utility> +#include "DvisvgmSpecialHandler.h" +#include "InputBuffer.h" +#include "InputReader.h" +#include "SpecialActions.h" +#include "XMLNode.h" +#include "XMLString.h" + +using namespace std; + + +DvisvgmSpecialHandler::DvisvgmSpecialHandler () + : _currentMacro(_macros.end()), _nestingLevel(0) +{ +} + + +void DvisvgmSpecialHandler::preprocess (const char*, istream &is, SpecialActions*) { + struct Command { + const char *name; + void (DvisvgmSpecialHandler::*handler)(InputReader&); + } commands[] = { + {"raw", &DvisvgmSpecialHandler::preprocessRaw}, + {"rawdef", &DvisvgmSpecialHandler::preprocessRawDef}, + {"rawset", &DvisvgmSpecialHandler::preprocessRawSet}, + {"endrawset", &DvisvgmSpecialHandler::preprocessEndRawSet}, + {"rawput", &DvisvgmSpecialHandler::preprocessRawPut}, + }; + + StreamInputReader ir(is); + string cmd = ir.getWord(); + for (size_t i=0; i < sizeof(commands)/sizeof(Command); i++) { + if (commands[i].name == cmd) { + ir.skipSpace(); + (this->*commands[i].handler)(ir); + return; + } + } +} + + +void DvisvgmSpecialHandler::preprocessRawSet (InputReader &ir) { + _nestingLevel++; + string id = ir.getString(); + if (id.empty()) + throw SpecialException("definition of unnamed SVG fragment"); + if (_nestingLevel > 1) + throw SpecialException("nested definition of SVG fragment '" + id + "'"); + + _currentMacro = _macros.find(id); + if (_currentMacro != _macros.end()) { + _currentMacro = _macros.end(); + throw SpecialException("redefinition of SVG fragment '" + id + "'"); + } + pair<string, StringVector> entry(id, StringVector()); + pair<MacroMap::iterator, bool> state = _macros.insert(entry); + _currentMacro = state.first; +} + + +void DvisvgmSpecialHandler::preprocessEndRawSet (InputReader&) { + if (_nestingLevel > 0 && --_nestingLevel == 0) + _currentMacro = _macros.end(); +} + + +void DvisvgmSpecialHandler::preprocessRaw (InputReader &ir) { + if (_currentMacro == _macros.end()) + return; + string str = ir.getLine(); + if (!str.empty()) + _currentMacro->second.push_back(string("P")+str); +} + + +void DvisvgmSpecialHandler::preprocessRawDef (InputReader &ir) { + if (_currentMacro == _macros.end()) + return; + string str = ir.getLine(); + if (!str.empty()) + _currentMacro->second.push_back(string("D")+str); +} + + +void DvisvgmSpecialHandler::preprocessRawPut (InputReader &ir) { + if (_currentMacro != _macros.end()) + throw SpecialException("dvisvgm:rawput not allowed inside rawset/endrawset"); +} + + +/** Evaluates and executes a dvisvgm special statement. + * @param[in] prefix special prefix read by the SpecialManager + * @param[in] is the special statement is read from this stream + * @param[in] actions object providing the actions that can be performed by the SpecialHandler */ +bool DvisvgmSpecialHandler::process (const char *prefix, istream &is, SpecialActions *actions) { + if (!actions) + return true; + + struct Command { + const char *name; + void (DvisvgmSpecialHandler::*handler)(InputReader&, SpecialActions*); + } commands[] = { + {"raw", &DvisvgmSpecialHandler::processRaw}, + {"rawdef", &DvisvgmSpecialHandler::processRawDef}, + {"rawset", &DvisvgmSpecialHandler::processRawSet}, + {"endrawset", &DvisvgmSpecialHandler::processEndRawSet}, + {"rawput", &DvisvgmSpecialHandler::processRawPut}, + {"bbox", &DvisvgmSpecialHandler::processBBox}, + {"img", &DvisvgmSpecialHandler::processImg}, + }; + StreamInputReader ir(is); + string cmd = ir.getWord(); + for (size_t i=0; i < sizeof(commands)/sizeof(Command); i++) { + if (commands[i].name == cmd) { + ir.skipSpace(); + (this->*commands[i].handler)(ir, actions); + return true; + } + } + return true; +} + + +/** Replaces constants of the form {?name} by their corresponding value. + * @param[in,out] str text to expand + * @param[in] actions interfcae to the world outside the special handler */ +static void expand_constants (string &str, SpecialActions *actions) { + struct Constant { + const char *name; + string val; + } + constants[] = { + {"x", XMLString(actions->getX())}, + {"y", XMLString(actions->getY())}, + {"color", actions->getColor().rgbString()}, + {"nl", "\n"}, + {0, ""} + }; + bool repl_bbox = true; + while (repl_bbox) { + size_t pos = str.find(string("{?bbox ")); + if (pos == string::npos) + repl_bbox = false; + else { + size_t endpos = pos+7; + while (endpos < str.length() && isalnum(str[endpos])) + ++endpos; + if (str[endpos] == '}') { + BoundingBox &box=actions->bbox(str.substr(pos+7, endpos-pos-7)); + str.replace(pos, endpos-pos+1, box.toSVGViewBox()); + } + else + repl_bbox = false; + } + } + for (const Constant *p=constants; p->name; p++) { + const string pattern = string("{?")+p->name+"}"; + size_t pos = str.find(pattern); + while (pos != string::npos) { + str.replace(pos, strlen(p->name)+3, p->val); + pos = str.find(pattern, pos+p->val.length()); // look for further matches + } + } +} + + +void DvisvgmSpecialHandler::processRaw (InputReader &ir, SpecialActions *actions) { + if (_nestingLevel == 0) { + string str = ir.getLine(); + if (!str.empty()) { + expand_constants(str, actions); + actions->appendToPage(new XMLTextNode(str)); + } + } +} + + +void DvisvgmSpecialHandler::processRawDef (InputReader &ir, SpecialActions *actions) { + if (_nestingLevel == 0) { + string str = ir.getLine(); + if (!str.empty()) { + expand_constants(str, actions); + actions->appendToDefs(new XMLTextNode(str)); + } + } +} + + +void DvisvgmSpecialHandler::processRawSet (InputReader&, SpecialActions*) { + _nestingLevel++; +} + + +void DvisvgmSpecialHandler::processEndRawSet (InputReader&, SpecialActions*) { + if (_nestingLevel > 0) + _nestingLevel--; +} + + +void DvisvgmSpecialHandler::processRawPut (InputReader &ir, SpecialActions *actions) { + if (_nestingLevel > 0) + return; + string id = ir.getString(); + MacroMap::iterator it = _macros.find(id); + if (it == _macros.end()) + throw SpecialException("undefined SVG fragment '" + id + "' referenced"); + + StringVector &defs = it->second; + for (StringVector::iterator defs_it=defs.begin(); defs_it != defs.end(); ++defs_it) { + char &type = defs_it->at(0); + string def = defs_it->substr(1); + if ((type == 'P' || type == 'D') && !def.empty()) { + expand_constants(def, actions); + if (type == 'P') + actions->appendToPage(new XMLTextNode(def)); + else { // type == 'D' + actions->appendToDefs(new XMLTextNode(def)); + type = 'L'; // locked + } + } + } +} + + +/** Embeds the virtual rectangle (x, y ,w , h) into the current bounding box, + * where (x,y) is the lower left vertex composed of the current DVI position. + * @param[in] w width of the rectangle in PS point units + * @param[in] h height of the rectangle in PS point units + * @param[in] d depth of the rectangle in PS point units + * @param[in] actions object providing the actions that can be performed by the SpecialHandler */ +static void update_bbox (double w, double h, double d, SpecialActions *actions) { + double x = actions->getX(); + double y = actions->getY(); + actions->embed(BoundingBox(x, y, x+w, y-h)); + actions->embed(BoundingBox(x, y, x+w, y+d)); +} + + +/** Evaluates the special dvisvgm:bbox. + * variant 1: dvisvgm:bbox [r[el]] <width> <height> [<depth>] + * variant 2: dvisvgm:bbox a[bs] <x1> <y1> <x2> <y2> + * variant 3: dvisvgm:bbox f[ix] <x1> <y1> <x2> <y2> + * variant 4: dvisvgm:bbox n[ew] <name> */ +void DvisvgmSpecialHandler::processBBox (InputReader &ir, SpecialActions *actions) { + const double pt2bp = 72/72.27; + ir.skipSpace(); + int c = ir.peek(); + if (isalpha(c)) { + while (!isspace(ir.peek())) // skip trailing characters + ir.get(); + if (c == 'n') { + ir.skipSpace(); + string name; + while (isalnum(ir.peek())) + name += char(ir.get()); + ir.skipSpace(); + if (!name.empty() && ir.eof()) + actions->bbox(name, true); // create new user box + } + else if (c == 'a' || c == 'f') { + double p[4]; + for (int i=0; i < 4; i++) + p[i] = ir.getDouble()*pt2bp; + BoundingBox b(p[0], p[1], p[2], p[3]); + if (c == 'a') + actions->embed(b); + else { + actions->bbox() = b; + actions->bbox().lock(); + } + } + } + else + c = 'r'; // no mode specifier => relative box parameters + + if (c == 'r') { + double w = ir.getDouble()*pt2bp; + double h = ir.getDouble()*pt2bp; + double d = ir.getDouble()*pt2bp; + update_bbox(w, h, d, actions); + } +} + + +void DvisvgmSpecialHandler::processImg (InputReader &ir, SpecialActions *actions) { + if (actions) { + const double pt2bp = 72/72.27; + double w = ir.getDouble()*pt2bp; + double h = ir.getDouble()*pt2bp; + string f = ir.getString(); + update_bbox(w, h, 0, actions); + XMLElementNode *img = new XMLElementNode("image"); + img->addAttribute("x", actions->getX()); + img->addAttribute("y", actions->getY()); + img->addAttribute("width", w); + img->addAttribute("height", h); + img->addAttribute("xlink:href", f); + if (!actions->getMatrix().isIdentity()) + img->addAttribute("transform", actions->getMatrix().getSVG()); + actions->appendToPage(img); + } +} + + +void DvisvgmSpecialHandler::dviPreprocessingFinished () { + string id; + if (_currentMacro != _macros.end()) + id = _currentMacro->first; + // ensure all pattern definitions are closed after pre-processing the whole DVI file + _currentMacro = _macros.end(); + _nestingLevel = 0; + if (!id.empty()) + throw SpecialException("missing dvisvgm:endrawset for SVG fragment '" + id + "'"); +} + + +void DvisvgmSpecialHandler::dviEndPage (unsigned) { + for (MacroMap::iterator map_it=_macros.begin(); map_it != _macros.end(); ++map_it) { + StringVector &vec = map_it->second; + for (StringVector::iterator str_it=vec.begin(); str_it != vec.end(); ++str_it) { + // activate locked parts of a pattern again + if (str_it->at(0) == 'L') + str_it->at(0) = 'D'; + } + } +} + + +const char** DvisvgmSpecialHandler::prefixes () const { + static const char *pfx[] = {"dvisvgm:", 0}; + return pfx; +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DvisvgmSpecialHandler.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DvisvgmSpecialHandler.h new file mode 100644 index 00000000000..fb3a0c754aa --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/DvisvgmSpecialHandler.h @@ -0,0 +1,67 @@ +/************************************************************************* +** DvisvgmSpecialHandler.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_DVISVGMSPECIALHANDLER_H +#define DVISVGM_DVISVGMSPECIALHANDLER_H + +#include <map> +#include <string> +#include <vector> +#include "SpecialHandler.h" + +class InputReader; +struct SpecialActions; + +class DvisvgmSpecialHandler : public SpecialHandler, public DVIPreprocessingListener, public DVIEndPageListener +{ + typedef std::vector<std::string> StringVector; + typedef std::map<std::string, StringVector> MacroMap; + + public: + DvisvgmSpecialHandler (); + const char* name () const {return "dvisvgm";} + const char* info () const {return "special set for embedding raw SVG snippets";} + const char** prefixes () const; + void preprocess (const char *prefix, std::istream &is, SpecialActions *actions); + bool process (const char *prefix, std::istream &is, SpecialActions *actions); + + protected: + void preprocessRaw (InputReader &ir); + void preprocessRawDef (InputReader &ir); + void preprocessRawSet (InputReader &ir); + void preprocessEndRawSet (InputReader &ir); + void preprocessRawPut (InputReader &ir); + void processRaw (InputReader &ir, SpecialActions *actions); + void processRawDef (InputReader &ir, SpecialActions *actions); + void processRawSet (InputReader &ir, SpecialActions *actions); + void processEndRawSet (InputReader &ir, SpecialActions *actions); + void processRawPut (InputReader &ir, SpecialActions *actions); + void processBBox (InputReader &ir, SpecialActions *actions); + void processImg (InputReader &ir, SpecialActions *actions); + void dviPreprocessingFinished (); + void dviEndPage (unsigned pageno); + + private: + MacroMap _macros; + MacroMap::iterator _currentMacro; + int _nestingLevel; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/EPSFile.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/EPSFile.cpp new file mode 100644 index 00000000000..3b8632599a3 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/EPSFile.cpp @@ -0,0 +1,115 @@ +/************************************************************************* +** EPSFile.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <cstring> +#include <istream> +#include <limits> +#include "EPSFile.h" +#include "InputBuffer.h" +#include "InputReader.h" + +using namespace std; + + +/** Reads a little-endian 32-bit integer from the given input stream. */ +static UInt32 getUInt32 (istream &is) { + UInt32 value=0; + char buf[4]; + is.read(buf, 4); + for (int i=0; i < 4; i++) + value |= ((buf[i] & 255) << (8*i)); + return value; +} + + +static size_t getline (istream &is, char *line, size_t n) { + char buf[512]; + is.get(buf, min(n, (size_t)512)-1); + n = is.gcount(); + size_t linelen=0; + for (size_t i=0; i < n; i++) + if (isprint(buf[i])) + line[linelen++] = buf[i]; + line[linelen] = 0; + if (is.peek() == '\n') + is.get(); + else + is.ignore(numeric_limits<size_t>::max(), '\n'); + return linelen; +} + + +EPSFile::EPSFile (const std::string& fname) : _ifs(fname.c_str(), ios::binary), _headerValid(false), _offset(0), _pslength(0) +{ + if (_ifs) { + if (getUInt32(_ifs) != 0xC6D3D0C5) // no binary header present? + _ifs.seekg(0); // go back to the first byte + else { + _offset = getUInt32(_ifs); // stream offset where PS part of the file begins + _pslength = getUInt32(_ifs); // length of PS section in bytes + _ifs.seekg(_offset); // continue reading at the beginning of the PS section + } + string str; + str += _ifs.get(); + str += _ifs.get(); + _headerValid = (str == "%!"); + _ifs.seekg(0); + } +} + + +/** Returns an input stream for the EPS file. The stream pointer is automatically moved + * to the beginning of the ASCII (PostScript) part of the file. */ +istream& EPSFile::istream () const { + _ifs.clear(); + _ifs.seekg(_offset); + return _ifs; +} + + +/** Extracts the bounding box information from the DSC header/footer (if present) + * @param[out] box the extracted bounding box + * @return true if %%BoundingBox data could be read successfully */ +bool EPSFile::bbox (BoundingBox &box) const { + std::istream &is = EPSFile::istream(); + if (is) { + char buf[64]; + while (is) { + size_t linelen = getline(is, buf, 64); + if (strncmp(buf, "%%BoundingBox:", 14) == 0) { + CharInputBuffer ib(buf, linelen); + BufferInputReader ir(ib); + ir.skip(14); + ir.skipSpace(); + if (!ir.check("(atend)", true)) { + int val[4]; + for (int i=0; i < 4; i++) { + ir.skipSpace(); + ir.parseInt(val[i]); + } + box = BoundingBox(val[0], val[1], val[2], val[3]); + return true; + } + } + } + } + return false; +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/EPSFile.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/EPSFile.h new file mode 100644 index 00000000000..24871103327 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/EPSFile.h @@ -0,0 +1,46 @@ +/************************************************************************* +** EPSFile.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_EPSFILE_H +#define DVISVGM_EPSFILE_H + +#include <fstream> +#include <string> +#include "BoundingBox.h" +#include "types.h" + +class EPSFile +{ + public: + EPSFile (const std::string &fname); + std::istream& istream () const; + bool hasValidHeader () const {return _headerValid;} + bool bbox (BoundingBox &box) const; + UInt32 pslength () const {return _pslength;} + + private: + mutable std::ifstream _ifs; + bool _headerValid; ///< true if file has a valid header + UInt32 _offset; ///< stream offset where ASCII part of the file begins + UInt32 _pslength; ///< length of PS section (in bytes) +}; + +#endif + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/EPSToSVG.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/EPSToSVG.cpp new file mode 100644 index 00000000000..555e3549760 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/EPSToSVG.cpp @@ -0,0 +1,108 @@ +/************************************************************************* +** EPSToSVG.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <fstream> +#include <istream> +#include <sstream> +#include "EPSFile.h" +#include "EPSToSVG.h" +#include "Message.h" +#include "MessageException.h" +#include "PsSpecialHandler.h" +#include "SVGOutput.h" +#include "System.h" + + +using namespace std; + + +void EPSToSVG::convert () { +#ifndef HAVE_LIBGS + if (!Ghostscript().available()) + throw MessageException("Ghostscript is required to process the EPS file"); +#endif + EPSFile epsfile(_fname); + if (!epsfile.hasValidHeader()) + throw PSException("invalid EPS file"); + + BoundingBox bbox; + epsfile.bbox(bbox); + if (bbox.width() == 0 || bbox.height() == 0) + Message::wstream(true) << "bounding box of file " << _fname << " is empty\n"; + Message::mstream(false, Message::MC_PAGE_NUMBER) << "processing file " << _fname << '\n'; + Message::mstream().indent(1); + _svg.newPage(1); + // create a psfile special and forward it to the PsSpecialHandler + stringstream ss; + ss << "\"" << _fname << "\" " + "llx=" << bbox.minX() << " " + "lly=" << bbox.minY() << " " + "urx=" << bbox.maxX() << " " + "ury=" << bbox.maxY(); + PsSpecialHandler pshandler; + pshandler.process("psfile=", ss, this); + progress(0); + // output SVG file + _svg.setBBox(_bbox); + _svg.appendToDoc(new XMLCommentNode(" This file was generated by dvisvgm " VERSION " ")); + _svg.write(_out.getPageStream(1, 1)); + string svgfname = _out.filename(1, 1); + const double bp2pt = 72.27/72; + const double bp2mm = 25.4/72; + Message::mstream(false, Message::MC_PAGE_SIZE) << "graphic size: " << XMLString(bbox.width()*bp2pt) << "pt" + " x " << XMLString(bbox.height()*bp2pt) << "pt" + " (" << XMLString(bbox.width()*bp2mm) << "mm" + " x " << XMLString(bbox.height()*bp2mm) << "mm)\n"; + Message::mstream(false, Message::MC_PAGE_WRITTEN) << "graphic written to " << (svgfname.empty() ? "<stdout>" : svgfname) << '\n'; +} + + +string EPSToSVG::getSVGFilename (unsigned pageno) const { + if (pageno == 1) + return _out.filename(1, 1); + return ""; +} + + +void EPSToSVG::progress (const char *id) { + static double time=0; + static bool draw=false; // show progress indicator? + static size_t count=0; + count++; + // don't show the progress indicator before the given time has elapsed + if (!draw && System::time()-time > PROGRESSBAR_DELAY) { + draw = true; + Terminal::cursor(false); + Message::mstream(false) << "\n"; + } + if (draw && ((System::time() - time > 0.05) || id == 0)) { + const size_t DIGITS=6; + Message::mstream(false, Message::MC_PROGRESS) + << string(DIGITS-min(DIGITS, static_cast<size_t>(log10(count))), ' ') + << count << " PostScript instructions processed\r"; + // overprint indicator when finished + if (id == 0) { + Message::estream().clearline(); + Terminal::cursor(true); + } + time = System::time(); + } +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/EPSToSVG.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/EPSToSVG.h new file mode 100644 index 00000000000..841ffe5d0a9 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/EPSToSVG.h @@ -0,0 +1,72 @@ +/************************************************************************* +** EPSToSVG.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_EPSTOSVG_H +#define DVISVGM_EPSTOSVG_H + +#include <string> +#include "SpecialActions.h" +#include "SVGTree.h" + +struct SVGOutputBase; + +class EPSToSVG : protected SpecialActions +{ + public: + EPSToSVG (const std::string &fname, SVGOutputBase &out) : _fname(fname), _out(out), _x(0), _y(0) {} + void convert (); + void setTransformation (const Matrix &m); + void setPageSize (const std::string &name); + + protected: + // implement abstract base class SpecialActions + double getX () const {return _x;} + double getY () const {return _y;} + void setX (double x) {_x = x; _svg.setX(x);} + void setY (double y) {_y = y; _svg.setY(y);} + void finishLine () {} + void setColor (const Color &color) {_svg.setColor(color);} + Color getColor () const {return _svg.getColor();} + void setMatrix (const Matrix &m) {_svg.setMatrix(m);} + const Matrix& getMatrix () const {return _svg.getMatrix();} + void getPageTransform (Matrix &matrix) const {} + void setBgColor (const Color &color) {} + void appendToPage (XMLNode *node) {_svg.appendToPage(node);} + void appendToDefs (XMLNode *node) {_svg.appendToDefs(node);} + void prependToPage (XMLNode *node) {_svg.prependToPage(node);} + void pushContextElement (XMLElementNode *node) {_svg.pushContextElement(node);} + void popContextElement () {_svg.popContextElement();} + void embed (const BoundingBox &bbox) {_bbox.embed(bbox);} + void embed (const DPair &p, double r=0) {if (r==0) _bbox.embed(p); else _bbox.embed(p, r);} + void progress (const char *id); + unsigned getCurrentPageNumber() const {return 0;} + BoundingBox& bbox () {return _bbox;} + BoundingBox& bbox (const std::string &name, bool reset=false) {return _bbox;} + std::string getSVGFilename (unsigned pageno) const; + + private: + std::string _fname; ///< name of EPS file + SVGTree _svg; + SVGOutputBase &_out; + double _x, _y; + BoundingBox _bbox; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/EmSpecialHandler.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/EmSpecialHandler.cpp new file mode 100644 index 00000000000..994f46f7c4b --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/EmSpecialHandler.cpp @@ -0,0 +1,233 @@ +/************************************************************************* +** EmSpecialHandler.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <sstream> +#include "EmSpecialHandler.h" +#include "InputBuffer.h" +#include "InputReader.h" +#include "SpecialActions.h" +#include "XMLNode.h" +#include "XMLString.h" + +using namespace std; + + +EmSpecialHandler::EmSpecialHandler () : _linewidth(0.4*72/72.27), _actions(0) { +} + + +/** Computes the "cut vector" that is used to compute the line shape. + * Because each line has a width > 0 the actual shape of the line is a tetragon. + * The 4 vertices can be influenced by the cut parameter c that specifies + * a horizontal, vertical or orthogonal cut of a line end. Depending on c and the + * line's slope a cut vector v can be computed that, relatively to endpoint p, denotes + * the 2 vertices of that line end: v1=p+v and v2=p-v. + * @param[in] c cut direction ('h', 'v' or 'p') + * @param[in] v direction vector of line to be drawn + * @param[in] lw width of line to be drawn + * @return the "cut vector" */ +static DPair cut_vector (char c, const DPair &v, double lw) { + if (c == 'p') + return v.ortho()/v.length() * (lw/2); + DPair cut; + if (c == 'v' && v.x() != 0) { + double slope = v.y()/v.x(); + double h = sqrt(lw*lw*(1+slope*slope)); + cut.y(0.5*h); + } + else if (v.y() != 0) { // c == 'h' + double slope = v.x()/v.y(); + double h = sqrt(lw*lw*(1+slope*slope)); + double sgn = slope < 0 ? 1.0 : -1.0; + cut.x(0.5*h*sgn); + } + return cut; +} + + +/** Creates the SVG element that will a the line. + * @param[in] p1 first endpoint in PS point units + * @param[in] p2 second endpoint in PS point units + * @param[in] c1 cut method of first endpoint ('h', 'v' or 'p') + * @param[in] c2 cut method of second endpoint ('h', 'v' or 'p') + * @param[in] lw line width in PS point units + * @param[in] actions object providing the actions that can be performed by the SpecialHandler */ +static void create_line (const DPair &p1, const DPair &p2, char c1, char c2, double lw, SpecialActions *actions) { + XMLElementNode *node=0; + DPair dir = p2-p1; + if (dir.x() == 0 || dir.y() == 0 || (c1 == 'p' && c2 == 'p')) { + // draw regular line + node = new XMLElementNode("line"); + node->addAttribute("x1", p1.x()); + node->addAttribute("y1", p1.y()); + node->addAttribute("x2", p2.x()); + node->addAttribute("y2", p2.y()); + node->addAttribute("stroke-width", lw); + node->addAttribute("stroke", actions->getColor().rgbString()); + // update bounding box + actions->embed(p1); + actions->embed(p2); + } + else { + // draw polygon + DPair cv1 = cut_vector(c1, dir, lw); + DPair cv2 = cut_vector(c2, dir, lw); + DPair q11 = p1+cv1, q12 = p1-cv1; + DPair q21 = p2+cv2, q22 = p2-cv2; + node = new XMLElementNode("polygon"); + ostringstream oss; + oss << XMLString(q11.x()) << ',' << XMLString(q11.y()) << ' ' + << XMLString(q12.x()) << ',' << XMLString(q12.y()) << ' ' + << XMLString(q22.x()) << ',' << XMLString(q22.y()) << ' ' + << XMLString(q21.x()) << ',' << XMLString(q21.y()); + node->addAttribute("points", oss.str()); + if (actions->getColor() != Color::BLACK) + node->addAttribute("fill", actions->getColor().rgbString()); + // update bounding box + actions->embed(q11); + actions->embed(q12); + actions->embed(q21); + actions->embed(q22); + } + actions->appendToPage(node); +} + + +static double read_length (InputReader &in) { + struct Unit { + const char *name; + double factor; + } + units[] = { + {"pt", 1.0}, + {"pc", 12.0}, + {"in", 72.27}, + {"bp", 72.27/72}, + {"cm", 72.27/2.54}, + {"mm", 72.27/25.4}, + {"dd", 1238.0/1157}, + {"cc", 1238.0/1157*12}, + {"sp", 1.0/65536}, + {0, 0} + }; + double len = in.getDouble(); + in.skipSpace(); + for (Unit *p=units; p->name; p++) + if (in.check(p->name)) { + len *= p->factor; + break; + } + return len*72/72.27; +} + + +bool EmSpecialHandler::process (const char *prefix, istream &is, SpecialActions *actions) { + // em:moveto => move graphic cursor to dvi cursor + // em:lineto => draw line from graphic cursor to dvi cursor, move graphic cursor to dvi cursor + // em:linewidth <w> => set line width to <w> + // em:point <n>[,<x>[,<y>]] => defines point <n> as (<x>,<y>); if <x> and/or <y> is missing, + // the corresponding dvi cursor coordinate is inserted + // <x> and <y> are lengths + // em:line <n>[h|v|p], <m>[h|v|p] [,<w>] => draws line of width <w> from point #<n> to point #<m> + // point number suffixes: + // h: cut line horizontally + // v: cut line vertically + // p: cut line orthogonally to line direction (default) + // if <w> is omitted, the global line width is used + // + // supported length units: pt, pc, in, bp, cm, mm, dd, cc, sp + // default line width: 0.4pt + + if (actions) { + _actions = actions; // save pointer to SpecialActions for later use in endPage + StreamInputBuffer ib(is, 128); + BufferInputReader in(ib); + string cmd = in.getWord(); + if (cmd == "moveto") + _pos = DPair(actions->getX(), actions->getY()); + else if (cmd == "lineto") { + DPair p(actions->getX(), actions->getY()); + create_line(_pos, p, 'p', 'p', _linewidth, actions); + _pos = p; + } + else if (cmd == "linewidth") + _linewidth = read_length(in); + else if (cmd == "point") { + DPair p(actions->getX(), actions->getY()); + int n = in.getInt(); + if (in.getPunct() == ',') { + p.x(in.getDouble()); + if (in.getPunct() == ',') + p.y(in.getDouble()); + } + _points[n] = p; + } + else if (cmd == "line") { + int n1 = in.getInt(); + int c1 = 'p'; + if (isalpha(in.peek())) + c1 = in.get(); + in.getPunct(); + int n2 = in.getInt(); + int c2 = 'p'; + if (isalpha(in.peek())) + c2 = in.get(); + double lw = _linewidth; + if (in.getPunct() == ',') + lw = read_length(in); + map<int,DPair>::iterator it1=_points.find(n1); + map<int,DPair>::iterator it2=_points.find(n2); + if (it1 != _points.end() && it2 != _points.end()) + create_line(it1->second, it2->second, char(c1), char(c2), lw, actions); + else { + // Line endpoints havn't necessarily to be defined before + // a line definition. If a point wasn't defined yet we push the line + // in a wait list and process the lines at the end of the page. + _lines.push_back(Line(n1, n2, char(c1), char(c2), lw)); + } + } + } + return true; +} + + +/** This method is called at the end of a DVI page. Here we have to draw all pending + * lines that are still in the line list. All line endpoints must be defined until here. */ +void EmSpecialHandler::dviEndPage (unsigned pageno) { + if (_actions) { + FORALL(_lines, list<Line>::iterator, it) { + map<int,DPair>::iterator pit1=_points.find(it->p1); + map<int,DPair>::iterator pit2=_points.find(it->p2); + if (pit1 != _points.end() && pit2 != _points.end()) + create_line(pit1->second, pit2->second, it->c1, it->c2, it->width, _actions); + // all lines with still undefined points are ignored + } + } + // line and point definitions are local to a page + _lines.clear(); + _points.clear(); +} + + +const char** EmSpecialHandler::prefixes () const { + static const char *pfx[] = {"em:", 0}; + return pfx; +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/EmSpecialHandler.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/EmSpecialHandler.h new file mode 100644 index 00000000000..7b3c78b6b24 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/EmSpecialHandler.h @@ -0,0 +1,57 @@ +/************************************************************************* +** EmSpecialHandler.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_EMSPECIALHANDLER_H +#define DVISVGM_EMSPECIALHANDLER_H + +#include <list> +#include <map> +#include "Pair.h" +#include "SpecialHandler.h" + + +class EmSpecialHandler : public SpecialHandler, public DVIEndPageListener +{ + struct Line { + Line (int pp1, int pp2, char cc1, char cc2, double w) : p1(pp1), p2(pp2), c1(cc1), c2(cc2), width(w) {} + int p1, p2; ///< point numbers of line ends + char c1, c2; ///< cut type of line ends (h, v or p) + double width; ///< line width + }; + + public: + EmSpecialHandler (); + const char* name () const {return "em";} + const char* info () const {return "line drawing statements of the emTeX special set";} + const char** prefixes () const; + bool process (const char *prefix, std::istream &in, SpecialActions *actions); + + protected: + void dviEndPage (unsigned pageno); + + private: + std::map<int, DPair> _points; ///< points defined by special em:point + std::list<Line> _lines; ///< list of lines with undefined end points + double _linewidth; ///< global line width + DPair _pos; ///< current position of "graphic cursor" + SpecialActions *_actions; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/EncFile.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/EncFile.cpp new file mode 100644 index 00000000000..cc1b8151e14 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/EncFile.cpp @@ -0,0 +1,134 @@ +/************************************************************************* +** EncFile.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <fstream> +#include "Font.h" +#include "EncFile.h" +#include "FontMap.h" +#include "InputBuffer.h" +#include "InputReader.h" +#include "FileFinder.h" +#include "Message.h" + +using namespace std; + +static string read_entry (InputReader &in); +static bool valid_name_char (int c); + + +EncFile::EncFile (const string &encname) : _encname(encname) +{ + read(); +} + + +const char* EncFile::path () const { + return FileFinder::lookup(_encname+".enc", false); +} + + +/** Search for suitable enc-file and read its encoding information. + * The file contents must be a valid PostScript vector with 256 entries. */ +void EncFile::read () { + if (const char *p = path()) { + ifstream ifs(p); + read(ifs); + } + else + Message::wstream(true) << "encoding file '" << _encname << ".enc' not found\n"; +} + + +/** Read encoding information from stream. */ +void EncFile::read (istream &is) { + StreamInputBuffer ib(is, 256); + BufferInputReader in(ib); + _table.resize(256); + + // find beginning of vector + while (!in.eof()) { + in.skipSpace(); + if (in.peek() == '%') + in.skipUntil("\n"); + else + if (in.get() == '[') + break; + } + + // read vector entries + int n=0; + while (!in.eof()) { + in.skipSpace(); + if (in.peek() == '%') + in.skipUntil("\n"); + else if (in.peek() == ']') { + in.get(); + break; + } + else { + string entry = read_entry(in); + if (entry == ".notdef") + entry.clear(); + if (n < 256) + _table[n++] = entry; + } + } + // remove trailing .notdef names + for (n--; n > 0 && _table[n].empty(); n--); + _table.resize(n+1); +} + + +static string read_entry (InputReader &in) { + string entry; + bool accept_slashes=true; + while (!in.eof() && ((in.peek() == '/' && accept_slashes) || valid_name_char(in.peek()))) { + if (in.peek() != '/') + accept_slashes = false; + entry += in.get(); + } + if (entry.length() > 1) { + // strip leading slashes + // According to the PostScript specification, a single slash without further + // following characters is a valid name. + size_t n=0; + while (n < entry.length() && entry[n] == '/') + n++; + entry = entry.substr(n); + } + return entry; +} + + +static bool valid_name_char (int c) { + const char *delimiters = "<>(){}[]/~%"; + return isprint(c) && !isspace(c) && !strchr(delimiters, c); +} + + +/** Returns an entry of the encoding table. + * @param[in] c character code + * @return character name assigned to character code c*/ +const char* EncFile::charName (UInt32 c) const { + if (c < _table.size()) + return !_table[c].empty() ? _table[c].c_str() : 0; + return 0; +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/EncFile.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/EncFile.h new file mode 100644 index 00000000000..249db961054 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/EncFile.h @@ -0,0 +1,50 @@ +/************************************************************************* +** EncFile.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_ENCFILE_H +#define DVISVGM_ENCFILE_H + +#include <istream> +#include <map> +#include <string> +#include <vector> +#include "FontEncoding.h" +#include "types.h" + + +class EncFile : public NamedFontEncoding +{ + public: + EncFile (const std::string &name); + void read (); + void read (std::istream &is); + int size () const {return _table.size();} + const char* name () const {return _encname.c_str();} + const char* charName (UInt32 c) const; + Character decode (UInt32 c) const {return Character(charName(c));} + bool mapsToCharIndex () const {return false;} + const char* path () const; + + private: + std::string _encname; + std::vector<std::string> _table; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FileFinder.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FileFinder.cpp new file mode 100644 index 00000000000..2418c8fb786 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FileFinder.cpp @@ -0,0 +1,278 @@ +/************************************************************************* +** FileFinder.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> + +#ifdef MIKTEX + #include "MessageException.h" + #include "MiKTeXCom.h" + static MiKTeXCom *miktex=0; +#else + #ifdef KPSE_CXX_UNSAFE + extern "C" { + #endif + #include <kpathsea/kpathsea.h> + #ifdef KPSE_CXX_UNSAFE + } + #endif +#endif + +#include <cstdlib> +#include <fstream> +#include <map> +#include <string> +#include "FileFinder.h" +#include "FileSystem.h" +#include "FontMap.h" +#include "Message.h" +#include "Process.h" + +// --------------------------------------------------- + +static bool _initialized = false; +static bool _mktex_enabled = false; + +// --------------------------------------------------- + +static const char* find_file (const std::string &fname, const char *ftype); +static const char* find_mapped_file (std::string fname); +static const char* mktex (const std::string &fname); + + +/** Initializes the file finder. This function must be called before any other + * FileFinder function. + * @param[in] argv0 argv[0] of main() function + * @param[in] progname name of application using the FileFinder + * @param[in] enable_mktexmf if true, tfm and mf file generation is activated */ +void FileFinder::init (const char *argv0, const char *progname, bool enable_mktexmf) { + if (_initialized) + return; + + _mktex_enabled = enable_mktexmf; +#ifdef MIKTEX + miktex = new MiKTeXCom; +#else + kpse_set_program_name(argv0, progname); + // enable tfm and mf generation (actually invoked by calls of kpse_make_tex) + kpse_set_program_enabled(kpse_tfm_format, 1, kpse_src_env); + kpse_set_program_enabled(kpse_mf_format, 1, kpse_src_env); + kpse_make_tex_discard_errors = true; // suppress messages from mktexFOO tools +#ifdef TEXLIVEWIN32 + texlive_gs_init(); +#endif +#endif + _initialized = true; +} + + +/** Cleans up the FileFinder. This function must be called before leaving the + * application's main() function. */ +void FileFinder::finish () { +#ifdef MIKTEX + if (miktex) { + delete miktex; + miktex = 0; + } +#endif + _initialized = false; +} + + +/** Returns the version string of the underlying file searching library (kpathsea, MiKTeX) */ +std::string FileFinder::version () { +#ifdef MIKTEX + bool autoinit=false; + try { + if (!_initialized) { + init("", "", false); + autoinit = true; + } + std::string ret = miktex->getVersion(); + if (autoinit) + finish(); + return ret; + } + catch (MessageException &e) { + if (autoinit) + finish(); + } +#else + if (const char *v = strrchr(KPSEVERSION, ' ')) + return v+1; +#endif + return "unknown"; +} + + +/** Determines filetype by the filename extension and calls kpse_find_file + * to actually look up the file. + * @param[in] fname name of file to look up + * @param[in] ftype expected file format of file fname; if 0, it's derived from the filename suffix + * @return file path on success, 0 otherwise */ +static const char* find_file (const std::string &fname, const char *ftype) { + if (!_initialized || fname.empty()) + return 0; + + std::string ext; + if (ftype) + ext = ftype; + else { + size_t pos = fname.rfind('.'); + if (pos == std::string::npos) + return 0; // no extension and no file type => no search + ext = fname.substr(pos+1); + } + + static std::string buf; +#ifdef MIKTEX + if (ext == "dll" || ext == "exe") { + // lookup dll and exe files in the MiKTeX bin directory first + buf = miktex->getBinDir() + "/" + fname; + if (FileSystem::exists(buf.c_str())) + return buf.c_str(); + } + else if (ext == "cmap") { + // The MiKTeX SDK doesn't support the lookup of files without suffix (yet), thus + // it's not possible to find cmap files which usually don't have a suffix. In order + // to work around this, we try to lookup the files by calling kpsewhich. + Process process("kpsewhich", std::string("-format=cmap ")+fname); + process.run(&buf); + return buf.empty() ? 0 : buf.c_str(); + } + try { + return miktex->findFile(fname.c_str()); + } + catch (const MessageException &e) { + return 0; + } +#else +#ifdef TEXLIVEWIN32 + if (ext == "exe") { + // lookup exe files in directory where dvisvgm is located + if (const char *path = kpse_var_value("SELFAUTOLOC")) { + buf = std::string(path) + "/" + fname; + return FileSystem::exists(buf.c_str()) ? buf.c_str() : 0; + } + return 0; + } +#endif + static std::map<std::string, kpse_file_format_type> types; + if (types.empty()) { + types["tfm"] = kpse_tfm_format; + types["pfb"] = kpse_type1_format; + types["vf"] = kpse_vf_format; + types["mf"] = kpse_mf_format; + types["ttc"] = kpse_truetype_format; + types["ttf"] = kpse_truetype_format; + types["otf"] = kpse_opentype_format; + types["map"] = kpse_fontmap_format; + types["cmap"] = kpse_cmap_format; + types["sty"] = kpse_tex_format; + types["enc"] = kpse_enc_format; + types["pro"] = kpse_tex_ps_header_format; + types["sfd"] = kpse_sfd_format; + } + std::map<std::string, kpse_file_format_type>::iterator it = types.find(ext.c_str()); + if (it == types.end()) + return 0; + + if (char *path = kpse_find_file(fname.c_str(), it->second, 0)) { + // In the current version of libkpathsea, each call of kpse_find_file produces + // a memory leak since the path buffer is not freed. I don't think we can do + // anything against it here... + buf = path; + std::free(path); + return buf.c_str(); + } + return 0; +#endif +} + + +/** Checks whether the given file is mapped to a different name and if the + * file can be found under this name. + * @param[in] fname name of file to look up + * @return file path on success, 0 otherwise */ +static const char* find_mapped_file (std::string fname) { + size_t pos = fname.rfind('.'); + if (pos == std::string::npos) + return 0; + const std::string ext = fname.substr(pos+1); // file extension + const std::string base = fname.substr(0, pos); + if (const FontMap::Entry *entry = FontMap::instance().lookup(base)) { + const char *path=0; + if (entry->fontname.find('.') != std::string::npos) // does the mapped filename has an extension? + path = find_file(entry->fontname, 0); // look for that file + else { // otherwise, use extension of unmapped file + fname = entry->fontname + "." + ext; + (path = find_file(fname, 0)) || (path = mktex(fname)); + } + return path; + } + return 0; +} + + +/** Runs external mktexFOO tool to create missing tfm or mf file. + * @param[in] fname name of file to build + * @return file path on success, 0 otherwise */ +static const char* mktex (const std::string &fname) { + if (!_initialized) + return 0; + + size_t pos = fname.rfind('.'); + if (!_mktex_enabled || pos == std::string::npos) + return 0; + + std::string ext = fname.substr(pos+1); // file extension + if (ext != "tfm" && ext != "mf") + return 0; + + const char *path = 0; +#ifdef MIKTEX + // maketfm and makemf are located in miktex/bin which is in the search PATH + std::string toolname = (ext == "tfm" ? "miktex-maketfm" : "miktex-makemf"); + system((toolname+".exe "+fname).c_str()); + path = find_file(fname, 0); +#else + kpse_file_format_type type = (ext == "tfm" ? kpse_tfm_format : kpse_mf_format); + path = kpse_make_tex(type, fname.c_str()); +#endif + return path; +} + + +/** Searches a file in the TeX directory tree. + * If the file doesn't exist, maximal two further steps are applied + * (if "extended" is true): + * - checks whether the filename is mapped to a different name and returns + * the path to that name + * - in case of tfm or mf files: invokes the external mktextfm/mktexmf tool + * to create the missing file + * @param[in] fname name of file to look up + * @param[in] ftype type/format of file to look up + * @param[in] extended if true, use fontmap lookup and mktexFOO calls + * @return path to file on success, 0 otherwise */ +const char* FileFinder::lookup (const std::string &fname, const char *ftype, bool extended) { + const char *path; + if ((path = find_file(fname, ftype)) || (extended && ((path = find_mapped_file(fname)) || (path = mktex(fname))))) + return path; + return 0; +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FileFinder.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FileFinder.h new file mode 100644 index 00000000000..6727bd3e81d --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FileFinder.h @@ -0,0 +1,35 @@ +/************************************************************************* +** FileFinder.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_KPSFILEFINDER_H +#define DVISVGM_KPSFILEFINDER_H + +#include <string> + +struct FileFinder +{ + static void init (const char *argv0, const char *progname, bool enable_mktexmf); + static void finish (); + static std::string version (); + static const char* lookup (const std::string &fname, const char *ftype, bool extended=true); + static const char* lookup (const std::string &fname, bool extended=true) {return lookup(fname, 0, extended);} +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FilePath.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FilePath.cpp new file mode 100644 index 00000000000..fc8430145f5 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FilePath.cpp @@ -0,0 +1,258 @@ +/************************************************************************* +** FilePath.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <cctype> +#include "FilePath.h" +#include "FileSystem.h" +#include "MessageException.h" +#include "macros.h" + +using namespace std; + + +/** Removes redundant slashes from a given path. */ +static string& single_slashes (string &str) { + size_t pos=0; + while ((pos = str.find("//", pos)) != string::npos) + str.replace(pos, 2, "/"); + return str; +} + + +#ifdef __WIN32__ +static char strip_drive_letter (string &path) { + char letter = 0; + if (path.length() >= 2 && path[1] == ':' && isalpha(path[0])) { + letter = tolower(path[0]); + path.erase(0, 2); + } + return letter; +} + + +static char adapt_current_path (string &path, char target_drive) { + if (char current_drive = strip_drive_letter(path)) { + if (target_drive != current_drive) { + if (target_drive == 0) + target_drive = current_drive; + if (path.empty() || path[0] != '/') { + if (FileSystem::chdir((string(1, target_drive) + ":").c_str())) { + path.insert(0, FileSystem::getcwd()+"/"); + strip_drive_letter(path); + } + else + throw MessageException("drive " + string(1, target_drive) + ": not accessible"); + } + } + } + return target_drive; +} + + +static void tolower (string &str) { + for (size_t i=0; i < str.length(); ++i) + str[i] = tolower(str[i]); +} +#endif + + +/** Constructs a FilePath object from a given path. Relative paths are + * relative to the current working directory. + * @param[in] path absolute or relative path to a file or directory */ +FilePath::FilePath (const string &path) { + init(path, !FileSystem::isDirectory(path.c_str()), FileSystem::getcwd()); +} + + +/** Constructs a FilePath object. + * @param[in] path absolute or relative path to a file or directory + * @param[in] isfile true if 'path' references a file, false if a directory is referenced + * @param[in] current_dir if 'path' is a relative path expression it will be related to 'current_dir' */ +FilePath::FilePath (const string &path, bool isfile, string current_dir) { + init(path, isfile, current_dir); +} + + +/** Initializes a FilePath object. This method should be called by the constructors only. + * @param[in] path absolute or relative path to a file or directory + * @param[in] isfile true if 'path' references a file, false if a directory is referenced + * @param[in] current_dir if 'path' is a relative path expression it will be related to 'current_dir' */ +void FilePath::init (string path, bool isfile, string current_dir) { + single_slashes(path); + single_slashes(current_dir); +#ifdef __WIN32__ + tolower(path); + path = FileSystem::adaptPathSeperators(path); + _drive = strip_drive_letter(path); +#endif + if (isfile) { + size_t pos = path.rfind('/'); + _fname = path.substr((pos == string::npos) ? 0 : pos+1); + if (pos != string::npos) + path.erase(pos); + else + path.clear(); + } + if (current_dir.empty()) + current_dir = FileSystem::getcwd(); +#ifdef __WIN32__ + tolower(current_dir); + _drive = adapt_current_path(current_dir, _drive); +#endif + if (!path.empty()) { + if (path[0] == '/') + current_dir.clear(); + else if (current_dir[0] != '/') + current_dir = "/"; + else { + FilePath curr(current_dir, false, "/"); + current_dir = curr.absolute(); +#ifdef __WIN32__ + adapt_current_path(current_dir, _drive); +#endif + } + } + path.insert(0, current_dir + "/"); + string elem; + FORALL (path, string::const_iterator, it) { + if (*it == '/') { + add(elem); + elem.clear(); + } + else + elem += *it; + } + add(elem); +} + + +/** Adds a location step to the current path. */ +void FilePath::add (const string &dir) { + if (dir == ".." && !_dirs.empty()) + _dirs.pop_back(); + else if (dir.length() > 0 && dir != ".") + _dirs.push_back(dir); +} + + +/** Returns the suffix of the filename. If FilePath represents the + * location of a directory (and not of a file) an empty string + * is returned. */ +string FilePath::suffix () const { + size_t start = 0; + // ignore leading dots + while (start < _fname.length() && _fname[start] == '.') + start++; + string sub = _fname.substr(start); + size_t pos = sub.rfind('.'); + if (pos != string::npos && pos < sub.length()-1) + return sub.substr(pos+1); + return ""; +} + + +/** Changes the suffix of the filename. If FilePath represents the + * location of a directory (and not of a file) nothing happens. + * @param[in] s new suffix */ +void FilePath::suffix (const string &s) { + if (!_fname.empty()) { + string current_suffix = suffix(); + if (!current_suffix.empty()) + _fname.erase(_fname.length()-current_suffix.length()-1); + _fname += "."+s; + } +} + + +/** Returns the filename without suffix. + * Example: FilePath("/a/b/c.def", true) == "c" */ +string FilePath::basename () const { + if (!_fname.empty()) { + size_t len = suffix().length(); + if (len > 0) + len++; // strip dot too + return _fname.substr(0, _fname.length()-len); + } + return ""; +} + + +/** Returns the absolute path string of this FilePath. + * @param[in] with_filename if false, the filename is omitted + * @return the absolute path string */ +string FilePath::absolute (bool with_filename) const { + string path; + FORALL (_dirs, ConstIterator, it) { + path += "/" + *it; + } + if (path.empty()) + path = "/"; + if (with_filename && !_fname.empty()) + path += "/"+_fname; +#ifdef __WIN32__ + if (_drive) + path.insert(0, string(1, _drive) + ":"); +#endif + return single_slashes(path); +} + + +/** Returns a path string of this FilePath relative to reldir. If we wanted to + * navigate from /a/b/c/d to /a/b/e/f using the shell command "cd", we could do that + * with the relative path argument: "cd ../../e/f". This function returns such a relative + * path. Example: FilePath("/a/b/e/f").relative("/a/b/c/d") => "../../e/f". + * @param[in] reldir absolute path to a directory + * @param[in] with_filename if false, the filename is omitted + * @return the relative path string */ +string FilePath::relative (string reldir, bool with_filename) const { + if (reldir.empty()) + reldir = FileSystem::getcwd(); +#ifdef __WIN32__ + adapt_current_path(reldir, _drive); +#endif + if (reldir[0] != '/') + return absolute(); + FilePath rel(reldir, false); + string path; +#ifdef __WIN32__ + if (rel._drive && _drive && rel._drive != _drive) + path += string(1, _drive) + ":"; +#endif + ConstIterator i = _dirs.begin(); + ConstIterator j = rel._dirs.begin(); + while (i != _dirs.end() && j != rel._dirs.end() && *i == *j) + ++i, ++j; + for (; j != rel._dirs.end(); ++j) + path += "../"; + for (; i != _dirs.end(); ++i) + path += *i + "/"; + if (!path.empty()) + path.erase(path.length()-1, 1); // remove trailing slash + if (with_filename && !_fname.empty()) { + if (!path.empty() && path != "/") + path += "/"; + path += _fname; + } + if (path.empty()) + path = "."; + return single_slashes(path); +} + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FilePath.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FilePath.h new file mode 100644 index 00000000000..005d9ecc66e --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FilePath.h @@ -0,0 +1,59 @@ +/************************************************************************* +** FilePath.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_FILEPATH_H +#define DVISVGM_FILEPATH_H + +#include <string> +#include <vector> + +class FilePath +{ + typedef std::vector<std::string> Directories; + typedef Directories::iterator Iterator; + typedef Directories::const_iterator ConstIterator; + public: + FilePath (const std::string &path); + FilePath (const std::string &path, bool isfile, std::string current_dir=""); + std::string absolute (bool with_filename=true) const; + std::string relative (std::string reldir="", bool with_filename=true) const; + std::string basename () const; + std::string suffix () const; + void suffix (const std::string &s); + size_t depth () const {return _dirs.size();} + bool isFile () const {return !_fname.empty();} + bool empty () const {return _dirs.empty() && _fname.empty();} + const std::string& filename () const {return _fname;} + void filename (const std::string &fname) {_fname = fname;} + + protected: + void init (std::string path, bool isfile, std::string current_dir); + void add (const std::string &elem); + + private: + Directories _dirs; + std::string _fname; +#ifdef __WIN32__ + char _drive; +#endif +}; + + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FileSystem.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FileSystem.cpp new file mode 100644 index 00000000000..a0c93177ac8 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FileSystem.cpp @@ -0,0 +1,330 @@ +/************************************************************************* +** FileSystem.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <cstdlib> +#include <cstring> +#include <fstream> +#include "FileSystem.h" +#include "macros.h" + +#ifdef HAVE_UNISTD_H +#include <unistd.h> +#endif + + +using namespace std; + +#ifdef __WIN32__ + #include <direct.h> + #include <windows.h> + const char *FileSystem::DEVNULL = "nul"; + const char FileSystem::PATHSEP = '\\'; + #define unlink _unlink +#else + #include <dirent.h> + #include <pwd.h> + #include <sys/stat.h> + #include <sys/types.h> + const char *FileSystem::DEVNULL = "/dev/null"; + const char FileSystem::PATHSEP = '/'; +#endif + + +bool FileSystem::remove (const string &fname) { + return unlink(fname.c_str()) == 0; +} + + +/** Copies a file. + * @param[in] src path of file to copy + * @param[in] dest path of target file + * @param[in] remove_src remove file 'src' if true + * @return true on success */ +bool FileSystem::copy (const string &src, const string &dest, bool remove_src) { + ifstream ifs(src.c_str(), ios::in|ios::binary); + ofstream ofs(dest.c_str(), ios::out|ios::binary); + if (ifs && ofs) { + ofs << ifs.rdbuf(); + if (!ifs.fail() && !ofs.fail() && remove_src) { + ofs.close(); + ifs.close(); + return remove(src); + } + else + return !remove_src; + } + return false; +} + + +bool FileSystem::rename (const string &oldname, const string &newname) { + return ::rename(oldname.c_str(), newname.c_str()) == 0; +} + + +UInt64 FileSystem::filesize (const string &fname) { +#ifdef __WIN32__ + // unfortunately, stat doesn't work properly under Windows + // so we have to use this freaky code + WIN32_FILE_ATTRIBUTE_DATA attr; + GetFileAttributesExA(fname.c_str(), GetFileExInfoStandard, &attr); + return (static_cast<UInt64>(attr.nFileSizeHigh) << (8*sizeof(attr.nFileSizeLow))) | attr.nFileSizeLow; +#else + struct stat attr; + return (stat(fname.c_str(), &attr) == 0) ? attr.st_size : 0; +#endif +} + + +string FileSystem::adaptPathSeperators (string path) { + for (size_t i=0; i < path.length(); i++) + if (path[i] == PATHSEP) + path[i] = '/'; + return path; +} + + +string FileSystem::getcwd () { + char buf[1024]; +#ifdef __WIN32__ + return adaptPathSeperators(_getcwd(buf, 1024)); +#else + return ::getcwd(buf, 1024); +#endif +} + + +/** Changes the work directory. + * @param[in] dir path to new work directory + * @return true on success */ +bool FileSystem::chdir (const char *dir) { + bool success = false; + if (dir) { +#ifdef __WIN32__ + success = (_chdir(dir) == 0); +#else + success = (chdir(dir) == 0); +#endif + } + return success; +} + + +/** Returns the user's home directory. */ +const char* FileSystem::userdir () { +#ifdef __WIN32__ + const char *drive=getenv("HOMEDRIVE"); + const char *path=getenv("HOMEPATH"); + if (drive && path) { + static string ret = string(drive)+path; + if (!ret.empty()) + return ret.c_str(); + } + return 0; +#else + const char *dir=getenv("HOME"); + if (!dir) { + if (const char *user=getenv("USER")) { + if (struct passwd *pw=getpwnam(user)) + dir = pw->pw_dir; + } + } + return dir; +#endif +} + + +/** Private wrapper function for mkdir: creates a single folder. + * @param[in] dir folder name + * @return true on success */ +static bool s_mkdir (const char *dir) { + bool success = true; + if (!FileSystem::exists(dir)) { +#ifdef __WIN32__ + success = (_mkdir(dir) == 0); +#else + success = (mkdir(dir, 0776) == 0); +#endif + } + return success; +} + + +static bool inline s_rmdir (const char *dir) { +#ifdef __WIN32__ + return (_rmdir(dir) == 0); +#else + return (rmdir(dir) == 0); +#endif +} + + +/** Removes leading and trailing whitespace from a string. */ +static string trim (const string &str) { + int first=0, last=str.length()-1; + while (isspace(str[first])) + first++; + while (isspace(str[last])) + last--; + return str.substr(first, last-first+1); +} + + +/** Creates a new folder relative to the current work directory. If necessary, + * the parent folders are also created. + * @param[in] dir single folder name or path to folder + * @return true if folder(s) could be created */ +bool FileSystem::mkdir (const char *dir) { + bool success = false; + if (dir) { + success = true; + const string dirstr = adaptPathSeperators(trim(dir)); + for (size_t pos=1; success && (pos = dirstr.find('/', pos)) != string::npos; pos++) + success &= s_mkdir(dirstr.substr(0, pos).c_str()); + success &= s_mkdir(dirstr.c_str()); + } + return success; +} + + +/** Removes a directory and its contents. + * @param[in] dirname path to directory + * @return true on success */ +bool FileSystem::rmdir (const char *dirname) { + bool ok = false; + if (dirname && isDirectory(dirname)) { + ok = true; +#ifdef __WIN32__ + string pattern = string(dirname) + "/*"; + WIN32_FIND_DATA data; + HANDLE h = FindFirstFile(pattern.c_str(), &data); + bool ready = (h == INVALID_HANDLE_VALUE); + while (!ready && ok) { + const char *fname = data.cFileName; + string path = string(dirname) + "/" + fname; + if (isDirectory(path.c_str())) { + if (strcmp(fname, ".") != 0 && strcmp(fname, "..") != 0) + ok = rmdir(path.c_str()) && s_rmdir(path.c_str()); + } + else if (isFile(path.c_str())) + ok = remove(path); + else + ok = false; + ready = !FindNextFile(h, &data); + } + FindClose(h); +#else + if (DIR *dir = opendir(dirname)) { + struct dirent *ent; + while ((ent = readdir(dir)) && ok) { + const char *fname = ent->d_name; + string path = string(fname) + "/" + fname; + if (isDirectory(path.c_str())) { + if (strcmp(fname, ".") != 0 && strcmp(fname, "..") != 0) + ok = rmdir(path.c_str()) && s_rmdir(path.c_str()); + } + else if (isFile(path.c_str())) + ok = remove(path); + else + ok = false; + } + closedir(dir); + } +#endif + ok = s_rmdir(dirname); + } + return ok; +} + + +/** Checks if a file or directory exits. */ +bool FileSystem::exists (const char *fname) { + if (!fname) + return false; +#ifdef __WIN32__ + return GetFileAttributes(fname) != INVALID_FILE_ATTRIBUTES; +#else + struct stat attr; + return stat(fname, &attr) == 0; +#endif +} + + +/** Returns true if 'fname' references a directory. */ +bool FileSystem::isDirectory (const char *fname) { + if (!fname) + return false; +#ifdef __WIN32__ + return GetFileAttributes(fname) & FILE_ATTRIBUTE_DIRECTORY; +#else + struct stat attr; + return stat(fname, &attr) == 0 && S_ISDIR(attr.st_mode); +#endif +} + + +/** Returns true if 'fname' references a file. */ +bool FileSystem::isFile (const char *fname) { + if (!fname) + return false; +#ifdef __WIN32__ + ifstream ifs(fname); + return (bool)ifs; +#else + struct stat attr; + return stat(fname, &attr) == 0 && S_ISREG(attr.st_mode); +#endif +} + + +int FileSystem::collect (const char *dirname, vector<string> &entries) { + entries.clear(); +#ifdef __WIN32__ + string pattern = string(dirname) + "/*"; + WIN32_FIND_DATA data; + HANDLE h = FindFirstFile(pattern.c_str(), &data); + bool ready = (h == INVALID_HANDLE_VALUE); + while (!ready) { + string fname = data.cFileName; + string path = string(dirname)+"/"+fname; + string typechar = isFile(path.c_str()) ? "f" : isDirectory(path.c_str()) ? "d" : "?"; + if (fname != "." && fname != "..") + entries.push_back(typechar+fname); + ready = !FindNextFile(h, &data); + } + FindClose(h); +#else + if (DIR *dir = opendir(dirname)) { + struct dirent *ent; + while ((ent = readdir(dir))) { + string fname = ent->d_name; + string path = string(dirname)+"/"+fname; + string typechar = isFile(path.c_str()) ? "f" : isDirectory(path.c_str()) ? "d" : "?"; + if (fname != "." && fname != "..") + entries.push_back(typechar+fname); + } + closedir(dir); + } +#endif + return entries.size(); +} + + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FileSystem.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FileSystem.h new file mode 100644 index 00000000000..d14454262ac --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FileSystem.h @@ -0,0 +1,48 @@ +/************************************************************************* +** FileSystem.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_FILESYSTEM_H +#define DVISVGM_FILESYSTEM_H + +#include <string> +#include <vector> +#include "types.h" + +struct FileSystem +{ + static bool remove (const std::string &fname); + static bool rename (const std::string &oldname, const std::string &newname); + static bool copy (const std::string &src, const std::string &dest, bool remove_src=false); + static UInt64 filesize (const std::string &fname); + static std::string adaptPathSeperators (std::string path); + static std::string getcwd (); + static bool chdir (const char *dir); + static bool exists (const char *file); + static bool mkdir (const char *dir); + static bool rmdir (const char *fname); + static int collect (const char *dirname, std::vector<std::string> &entries); + static bool isDirectory (const char *fname); + static bool isFile (const char *fname); + static const char* userdir (); + static const char* DEVNULL; + static const char PATHSEP; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Font.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Font.cpp new file mode 100644 index 00000000000..d09f3c7d334 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Font.cpp @@ -0,0 +1,664 @@ +/************************************************************************* +** Font.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <cstdlib> +#include <iostream> +#include <fstream> +#include <sstream> +#include "CMap.h" +#include "FileFinder.h" +#include "FileSystem.h" +#include "Font.h" +#include "FontEncoding.h" +#include "FontEngine.h" +#include "GFGlyphTracer.h" +#include "Glyph.h" +#include "Message.h" +#include "MetafontWrapper.h" +#include "TFM.h" +#include "VFReader.h" +#include "SignalHandler.h" +#include "Subfont.h" +#include "SVGTree.h" +#include "Unicode.h" +#include "macros.h" + + +using namespace std; + + +UInt32 Font::unicode (UInt32 c) const { + return Unicode::charToCodepoint(c); +} + + +/** Returns the encoding object of this font which is asigned in a map file. + * If there's no encoding assigned, the function returns 0. */ +const FontEncoding* Font::encoding () const { + if (const FontMap::Entry *entry = fontMapEntry()) + return FontEncoding::encoding(entry->encname); + return 0; +} + + +const FontMap::Entry* Font::fontMapEntry () const { + string fontname = name(); + size_t pos = fontname.rfind('.'); + if (pos != string::npos) + fontname = fontname.substr(0, pos); // strip extension + return FontMap::instance().lookup(fontname); +} + + +/** Compute the extents of a given glyph. + * @param[in] c character code of glyph + * @param[in] vertical true if is glyph is part of vertical aligned text + * @param[out] metrics the resulting extents */ +void Font::getGlyphMetrics (int c, bool vertical, GlyphMetrics &metrics) const { + double s = scaleFactor(); + if (vertical) { // get metrics for vertical text flow? + if (verticalLayout()) { // is the font designed for vertical texts? + metrics.wl = s*charDepth(c); + metrics.wr = s*charHeight(c); + metrics.h = 0; + metrics.d = s*charWidth(c); + } + else { // rotate box by 90 degrees for alphabetic text + metrics.wl = s*charDepth(c); + metrics.wr = s*charHeight(c); + metrics.h = 0; + metrics.d = s*(charWidth(c)+italicCorr(c)); + } + } + else { + metrics.wl = 0; + metrics.wr = s*(charWidth(c)+italicCorr(c)); + metrics.h = s*charHeight(c); + metrics.d = s*charDepth(c); + } +} + + +const char* Font::filename () const { + const char *fname = strrchr(path(), '/'); + if (fname) + return fname+1; + return path(); +} + +/////////////////////////////////////////////////////////////////////////////////////// + +TFMFont::TFMFont (string name, UInt32 cs, double ds, double ss) + : _metrics(0), _fontname(name), _checksum(cs), _dsize(ds), _ssize(ss) +{ +} + + +TFMFont::~TFMFont () { + delete _metrics; +} + + +/** Returns a font metrics object for the current font. + * @throw FontException if TFM file can't be found */ +const FontMetrics* TFMFont::getMetrics () const { + if (!_metrics) { + try { + _metrics = FontMetrics::read(_fontname.c_str()); + if (!_metrics) { + _metrics = new NullFontMetric; + Message::wstream(true) << "can't find "+_fontname+".tfm\n"; + } + } + catch (FontMetricException &e) { + _metrics = new NullFontMetric; + Message::wstream(true) << e.what() << " in " << _fontname << ".tfm\n"; + } + } + return _metrics; +} + + +double TFMFont::charWidth (int c) const { + double w = getMetrics() ? getMetrics()->getCharWidth(c) : 0; + if (style()) { + w *= style()->extend; + w += fabs(style()->slant*charHeight(c)); // slant := tan(phi) = dx/height + } + return w; +} + + +double TFMFont::italicCorr (int c) const { + double w = getMetrics() ? getMetrics()->getItalicCorr(c) : 0; + if (style()) + w *= style()->extend; + return w; +} + + +double TFMFont::charDepth (int c) const {return getMetrics() ? getMetrics()->getCharDepth(c) : 0;} +double TFMFont::charHeight (int c) const {return getMetrics() ? getMetrics()->getCharHeight(c) : 0;} + + +/** Tests if the checksum of the font matches that of the corresponding TFM file. */ +bool TFMFont::verifyChecksums () const { + if (_checksum != 0 && getMetrics() && getMetrics()->getChecksum() != 0) + return _checksum == getMetrics()->getChecksum(); + return true; +} + +////////////////////////////////////////////////////////////////////////////// + +// static class variables +bool PhysicalFont::EXACT_BBOX = false; +bool PhysicalFont::KEEP_TEMP_FILES = false; +const char *PhysicalFont::CACHE_PATH = 0; +double PhysicalFont::METAFONT_MAG = 4; +FontCache PhysicalFont::_cache; + + +Font* PhysicalFont::create (string name, UInt32 checksum, double dsize, double ssize, PhysicalFont::Type type) { + return new PhysicalFontImpl(name, 0, checksum, dsize, ssize, type); +} + + +Font* PhysicalFont::create (string name, int fontindex, UInt32 checksum, double dsize, double ssize) { + return new PhysicalFontImpl(name, fontindex, checksum, dsize, ssize, PhysicalFont::TTC); +} + + +const char* PhysicalFont::path () const { + const char *ext=0; + switch (type()) { + case OTF: ext = "otf"; break; + case PFB: ext = "pfb"; break; + case TTC: ext = "ttc"; break; + case TTF: ext = "ttf"; break; + case MF : ext = "mf"; break; + default : ext = 0; + } + if (ext) + return FileFinder::lookup(name()+"."+ext); + return FileFinder::lookup(name()); +} + + +/** Returns true if this font is CID-based. */ +bool PhysicalFont::isCIDFont () const { + if (type() == MF) + return false; + FontEngine::instance().setFont(*this); + return FontEngine::instance().isCIDFont(); +} + + +/** Retrieve the IDs of all charachter maps available in the font file. + * @param[out] charMapIDs IDs of the found character maps + * @return number of found character maps */ +int PhysicalFont::collectCharMapIDs (std::vector<CharMapID> &charMapIDs) const { + if (type() == MF) + return 0; + FontEngine::instance().setFont(*this); + return FontEngine::instance().getCharMapIDs(charMapIDs); +} + + +/** Decodes a character code used in the DVI file to the code required to + * address the correct character in the font. + * @param[in] c DVI character to decode + * @return target character code or name */ +Character PhysicalFont::decodeChar (UInt32 c) const { + if (const FontEncoding *enc = encoding()) + return enc->decode(c); + return Character(Character::CHRCODE, c); +} + + +/** Returns the number of units per EM. The EM square is the virtual area a glyph is designed on. + * All coordinates used to specify portions of the glyph are relative to the origin (0,0) at the + * lower left corner of this square, while the upper right corner is located at (m,m), where m + * is an integer value defined with the font, and returned by this function. */ +int PhysicalFont::unitsPerEm() const { + if (type() == MF) + return 1000; + FontEngine::instance().setFont(*this); + return FontEngine::instance().getUnitsPerEM(); +} + + +int PhysicalFont::hAdvance () const { + if (type() == MF) + return 0; + FontEngine::instance().setFont(*this); + return FontEngine::instance().getHAdvance(); +} + + +double PhysicalFont::hAdvance (int c) const { + if (type() == MF) + return unitsPerEm()*charWidth(c)/designSize(); + FontEngine::instance().setFont(*this); + if (const FontMap::Entry *entry = fontMapEntry()) + if (Subfont *sf = entry->subfont) + c = sf->decode(c); + return FontEngine::instance().getHAdvance(decodeChar(c)); +} + + +double PhysicalFont::vAdvance (int c) const { + if (type() == MF) + return unitsPerEm()*charWidth(c)/designSize(); + FontEngine::instance().setFont(*this); + if (const FontMap::Entry *entry = fontMapEntry()) + if (Subfont *sf = entry->subfont) + c = sf->decode(c); + return FontEngine::instance().getVAdvance(decodeChar(c)); +} + + +string PhysicalFont::glyphName (int c) const { + if (type() == MF) + return ""; + FontEngine::instance().setFont(*this); + if (const FontMap::Entry *entry = fontMapEntry()) + if (Subfont *sf = entry->subfont) + c = sf->decode(c); + return FontEngine::instance().getGlyphName(decodeChar(c)); +} + + +double PhysicalFont::scaledAscent() const { + return ascent()*scaledSize()/unitsPerEm(); +} + + +int PhysicalFont::ascent () const { + if (type() == MF) + return 0; + FontEngine::instance().setFont(*this); + return FontEngine::instance().getAscender(); +} + + +int PhysicalFont::descent () const { + if (type() == MF) + return 0; + FontEngine::instance().setFont(*this); + return FontEngine::instance().getDescender(); +} + + +/** Extracts the glyph outlines of a given character. + * @param[in] c character code of requested glyph + * @param[out] glyph path segments of the glyph outline + * @param[in] cb optional callback object for tracer class + * @return true if outline could be computed */ +bool PhysicalFont::getGlyph (int c, GraphicPath<Int32> &glyph, GFGlyphTracer::Callback *cb) const { + if (type() == MF) { + const Glyph *cached_glyph=0; + if (CACHE_PATH) { + _cache.write(CACHE_PATH); + _cache.read(name().c_str(), CACHE_PATH); + cached_glyph = _cache.getGlyph(c); + } + if (cached_glyph) { + glyph = *cached_glyph; + return true; + } + else { + string gfname; + if (createGF(gfname)) { + try { + double ds = getMetrics() ? getMetrics()->getDesignSize() : 1; + GFGlyphTracer tracer(gfname, unitsPerEm()/ds, cb); + tracer.setGlyph(glyph); + tracer.executeChar(c); + glyph.closeOpenSubPaths(); + if (CACHE_PATH) + _cache.setGlyph(c, glyph); + return true; + } + catch (GFException &e) { + // @@ print error message + } + } + else { + Message::wstream(true) << "failed creating " << name() << ".gf\n"; + } + } + } + else { // vector fonts (OTF, PFB, TTF, TTC) + bool ok=true; + FontEngine::instance().setFont(*this); + if (const FontMap::Entry *entry = fontMapEntry()) + if (Subfont *sf = entry->subfont) + c = sf->decode(c); + ok = FontEngine::instance().traceOutline(decodeChar(c), glyph, false); + glyph.closeOpenSubPaths(); + return ok; + } + return false; +} + + +/** Creates a GF file for this font object. + * @param[out] gfname name of GF font file + * @return true on success */ +bool PhysicalFont::createGF (string &gfname) const { + SignalHandler::instance().check(); + gfname = name()+".gf"; + MetafontWrapper mf(name()); + bool ok = mf.make("ljfour", METAFONT_MAG); // call Metafont if necessary + return ok && mf.success() && getMetrics(); +} + + +/** Traces all glyphs of the current font and stores them in the cache. If caching is disabled, nothing happens. + * @param[in] includeCached if true, glyphs already cached are traced again + * @param[in] cb optional callback methods called by the tracer + * @return number of glyphs traced */ +int PhysicalFont::traceAllGlyphs (bool includeCached, GFGlyphTracer::Callback *cb) const { + int count = 0; + if (type() == MF && CACHE_PATH) { + if (const FontMetrics *metrics = getMetrics()) { + int fchar = metrics->firstChar(); + int lchar = metrics->lastChar(); + string gfname; + Glyph glyph; + if (createGF(gfname)) { + _cache.read(name().c_str(), CACHE_PATH); + double ds = getMetrics() ? getMetrics()->getDesignSize() : 1; + GFGlyphTracer tracer(gfname, unitsPerEm()/ds, cb); + tracer.setGlyph(glyph); + for (int i=fchar; i <= lchar; i++) { + if (includeCached || !_cache.getGlyph(i)) { + glyph.clear(); + tracer.executeChar(i); + glyph.closeOpenSubPaths(); + _cache.setGlyph(i, glyph); + ++count; + } + } + _cache.write(CACHE_PATH); + } + } + } + return count; +} + + +/** Computes the exact bounding box of a glyph. + * @param[in] c character code of the glyph + * @param[out] bbox the computed bounding box + * @param[in] cb optional calback object forwarded to the tracer + * @return true if the box could be computed successfully */ +bool PhysicalFont::getExactGlyphBox(int c, BoundingBox& bbox, GFGlyphTracer::Callback* cb) const { + Glyph glyph; + if (getGlyph(c, glyph, cb)) { + glyph.computeBBox(bbox); + double s = scaledSize()/unitsPerEm(); + bbox.scale(s, s); + return true; + } + return false; +} + + +bool PhysicalFont::getExactGlyphBox (int c, GlyphMetrics &metrics, bool vertical, GFGlyphTracer::Callback *cb) const { + BoundingBox charbox; + if (!getExactGlyphBox(c, charbox, cb)) + return false; + if ((metrics.wl = -charbox.minX()) < 0) metrics.wl=0; + if ((metrics.wr = charbox.maxX()) < 0) metrics.wr=0; + if ((metrics.h = charbox.maxY()) < 0) metrics.h=0; + if ((metrics.d = -charbox.minY()) < 0) metrics.d=0; + if (vertical) { // vertical text orientation + if (verticalLayout()) { // font designed for vertical layout? + metrics.wl = metrics.wr = (metrics.wl+metrics.wr)/2; + metrics.d += metrics.h; + metrics.h = 0; + } + else { + double depth = metrics.d; + metrics.d = metrics.wr; + metrics.wr = metrics.h; + metrics.h = metrics.wl; + metrics.wl = depth; + } + } + return true; +} + + +Font* VirtualFont::create (string name, UInt32 checksum, double dsize, double ssize) { + return new VirtualFontImpl(name, checksum, dsize, ssize); +} + + +////////////////////////////////////////////////////////////////////////////// + + +PhysicalFontImpl::PhysicalFontImpl (string name, int fontindex, UInt32 cs, double ds, double ss, PhysicalFont::Type type) + : TFMFont(name, cs, ds, ss), + _filetype(type), _fontIndex(fontindex), _fontMapEntry(Font::fontMapEntry()), _encodingPair(Font::encoding()), _localCharMap(0) +{ +} + + +PhysicalFontImpl::~PhysicalFontImpl () { + if (CACHE_PATH) + _cache.write(CACHE_PATH); + if (!KEEP_TEMP_FILES) + tidy(); + delete _localCharMap; +} + + +const FontEncoding* PhysicalFontImpl::encoding () const { + if (!_encodingPair.enc1()) + return 0; + return &_encodingPair; +} + + +bool PhysicalFontImpl::findAndAssignBaseFontMap () { + const FontEncoding *enc = encoding(); + if (enc && enc->mapsToCharIndex()) { + // try to find a base font map that maps from character indexes to a suitable + // target encoding supported by the font file + if (const FontEncoding *bfmap = enc->findCompatibleBaseFontMap(this, _charmapID)) + _encodingPair.assign(bfmap); + else + return false; + } + else if (type() != MF) { + FontEngine::instance().setFont(*this); + if ((_localCharMap = FontEngine::instance().createCustomToUnicodeMap()) != 0) + _charmapID = FontEngine::instance().setCustomCharMap(); + else + _charmapID = FontEngine::instance().setUnicodeCharMap(); + } + return true; +} + + +/** Returns the Unicode point for a given DVI character. */ +UInt32 PhysicalFontImpl::unicode (UInt32 c) const { + if (type() == MF) + return Font::unicode(c); + Character chr = decodeChar(c); + if (type() == PFB) { + // try to get the Unicode point from the character name + string glyphname = glyphName(c); + UInt32 codepoint; + if (!glyphname.empty() && (codepoint = Unicode::psNameToCodepoint(glyphname)) != 0) + return codepoint; + if (c <= 0x1900) // does character code c fit into Private Use Zone U+E000? + return 0xe000+c; +// Message::wstream() << "can't properly map PS character '" << glyphname << "' (0x" << hex << c << ") to Unicode\n"; + // If we get here, there is no easy mapping. As for now, we use the character code as Unicode point. + // Although quite unlikely, it might collide with properly mapped characters. + return Unicode::charToCodepoint(c); + } + if (chr.type() == Character::NAME || chr.number() == 0) + return Unicode::charToCodepoint(chr.number()); + + if (_localCharMap) { + if (UInt32 mapped_char = _localCharMap->valueAt(chr.number())) + return mapped_char; + } + // No Unicode equivalent found in the font file. + // Now we should look for a smart alternative but at the moment + // it's sufficient to simply choose a valid unused codepoint. + return Unicode::charToCodepoint(chr.number()); +} + + +/** Delete all temporary font files created by Metafont. */ +void PhysicalFontImpl::tidy () const { + if (type() == MF) { + const char *ext[] = {"gf", "tfm", "log", 0}; + for (const char **p=ext; *p; ++p) { + if (FileSystem::exists((name()+"."+(*p)).c_str())) + FileSystem::remove(name()+"."+(*p)); + } + } +} + +////////////////////////////////////////////////////////////////////////////// + +string NativeFont::uniqueName (const string &path, const FontStyle &style) { + static map<string, int> ids; + ostringstream oss; + oss << path << "b" << style.bold << "e" << style.extend << "s" << style.slant; + map<string, int>::iterator it = ids.find(oss.str()); + int id = ids.size(); + if (it == ids.end()) + ids[oss.str()] = id; + else + id = it->second; + oss.str(""); + oss << "nf" << id; + return oss.str(); +} + + +string NativeFont::name () const { + return uniqueName(path(), _style); +} + + +PhysicalFont::Type NativeFont::type () const { + if (const char *filepath = path()) { + if (const char *p =strrchr(filepath, '.')) { + string ext = p+1; + if (ext == "otf") + return PhysicalFont::OTF; + if (ext == "ttf") + return PhysicalFont::TTF; + if (ext == "pfb") + return PhysicalFont::PFB; + } + } + return PhysicalFont::UNKNOWN; +} + + +double NativeFont::charWidth (int c) const { + FontEngine::instance().setFont(*this); + int upem = FontEngine::instance().getUnitsPerEM(); + double w = upem ? (scaledSize()*FontEngine::instance().getAdvance(c)/upem*_style.extend) : 0; + w += fabs(_style.slant*charHeight(c)); + return w; +} + + +double NativeFont::charHeight (int c) const { + FontEngine::instance().setFont(*this); + int upem = FontEngine::instance().getUnitsPerEM(); + return upem ? (scaledSize()*FontEngine::instance().getAscender()/upem) : 0; +} + + +double NativeFont::charDepth (int c) const { + FontEngine::instance().setFont(*this); + int upem = FontEngine::instance().getUnitsPerEM(); + return upem ? (-scaledSize()*FontEngine::instance().getDescender()/upem) : 0; +} + + +bool NativeFontImpl::findAndAssignBaseFontMap () { + FontEngine &fe = FontEngine::instance(); + fe.setFont(*this); + fe.setUnicodeCharMap(); + fe.buildCharMap(_toUnicodeMap); + if (!_toUnicodeMap.addMissingMappings(fe.getNumGlyphs())) + Message::wstream(true) << "incomplete Unicode mapping for native font " << name() << " (" << filename() << ")\n"; + return true; +} + + +Character NativeFontImpl::decodeChar (UInt32 c) const { + return Character(Character::INDEX, c); +} + + +UInt32 NativeFontImpl::unicode (UInt32 c) const { + UInt32 ucode = _toUnicodeMap.valueAt(c); + return Unicode::charToCodepoint(ucode); +} + +////////////////////////////////////////////////////////////////////////////// + +VirtualFontImpl::VirtualFontImpl (string name, UInt32 cs, double ds, double ss) + : TFMFont(name, cs, ds, ss) +{ +} + + +VirtualFontImpl::~VirtualFontImpl () { + // delete dvi vectors received by VFReaderAction + for (map<UInt32, DVIVector*>::iterator i=_charDefs.begin(); i != _charDefs.end(); ++i) + delete i->second; +} + + +const char* VirtualFontImpl::path () const { + return FileFinder::lookup(name()+".vf"); +} + + +void VirtualFontImpl::assignChar (UInt32 c, DVIVector *dvi) { + if (dvi) { + if (_charDefs.find(c) == _charDefs.end()) + _charDefs[c] = dvi; + else + delete dvi; + } +} + + +const vector<UInt8>* VirtualFontImpl::getDVI (int c) const { + map<UInt32,DVIVector*>::const_iterator it = _charDefs.find(c); + return (it == _charDefs.end() ? 0 : it->second); +} + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Font.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Font.h new file mode 100644 index 00000000000..e1959f202e1 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Font.h @@ -0,0 +1,392 @@ +/************************************************************************* +** Font.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_FONT_H +#define DVISVGM_FONT_H + +#include <map> +#include <string> +#include <vector> +#include "Character.h" +#include "CharMapID.h" +#include "Color.h" +#include "FontCache.h" +#include "FontEncoding.h" +#include "FontMap.h" +#include "FontMetrics.h" +#include "GFGlyphTracer.h" +#include "Glyph.h" +#include "GraphicPath.h" +#include "MessageException.h" +#include "RangeMap.h" +#include "ToUnicodeMap.h" +#include "VFActions.h" +#include "VFReader.h" +#include "types.h" + + +struct FontStyle; + + +struct GlyphMetrics +{ + GlyphMetrics () : wl(0), wr(0), h(0), d(0) {} + GlyphMetrics (double wwl, double wwr, double hh, double dd) : wl(wwl), wr(wwr), h(hh), d(dd) {} + double wl, wr, h, d; +}; + + +/** Abstract base for all font classes. */ +struct Font { + virtual ~Font () {} + virtual Font* clone (double ds, double sc) const =0; + virtual const Font* uniqueFont () const =0; + virtual std::string name () const =0; + virtual double designSize () const =0; + virtual double scaledSize () const =0; + virtual double scaleFactor () const {return scaledSize()/designSize();} + virtual double charWidth (int c) const =0; + virtual double charDepth (int c) const =0; + virtual double charHeight (int c) const =0; + virtual double italicCorr (int c) const =0; + virtual const FontMetrics* getMetrics () const =0; + virtual const char* path () const =0; + virtual const char* filename () const; + virtual const FontEncoding* encoding () const; + virtual bool getGlyph (int c, Glyph &glyph, GFGlyphTracer::Callback *cb=0) const =0; + virtual void getGlyphMetrics (int c, bool vertical, GlyphMetrics &metrics) const; + virtual UInt32 unicode (UInt32 c) const; + virtual void tidy () const {} + virtual bool findAndAssignBaseFontMap () {return true;} + virtual bool verticalLayout () const {return getMetrics() ? getMetrics()->verticalLayout() : false;} + virtual bool verifyChecksums () const {return true;} + virtual int fontIndex () const {return 0;} + virtual const FontStyle* style () const {return 0;} + virtual Color color () const {return Color::BLACK;} + virtual const FontMap::Entry* fontMapEntry () const; +}; + + +/** Empty font without any glyphs. Instances of this class are used + * if no physical or virtual font file can be found. + * The metric values returned by the member functions are based on cmr10. */ +struct EmptyFont : public Font +{ + public: + EmptyFont (std::string name) : _fontname(name) {} + Font* clone (double ds, double sc) const {return new EmptyFont(*this);} + const Font* uniqueFont () const {return this;} + std::string name () const {return _fontname;} + double designSize () const {return 10;} // cmr10 design size in pt + double scaledSize () const {return 10;} // cmr10 scaled size in pt + double charWidth (int c) const {return 9.164;} // width of cmr10's 'M' in pt + double charHeight (int c) const {return 6.833;} // height of cmr10's 'M' in pt + double charDepth (int c) const {return 0;} + double italicCorr (int c) const {return 0;} + const FontMetrics* getMetrics () const {return 0;} + const char* path () const {return 0;} + bool getGlyph (int c, Glyph &glyph, GFGlyphTracer::Callback *cb=0) const {return false;} + + private: + std::string _fontname; +}; + + +/** Interface for all physical fonts. */ +class PhysicalFont : public virtual Font +{ + public: + enum Type {MF, OTF, PFB, TTC, TTF, UNKNOWN}; + + static Font* create (std::string name, UInt32 checksum, double dsize, double ssize, PhysicalFont::Type type); + static Font* create (std::string name, int fontindex, UInt32 checksum, double dsize, double ssize); + virtual Type type () const =0; + virtual bool getGlyph (int c, Glyph &glyph, GFGlyphTracer::Callback *cb=0) const; + virtual bool getExactGlyphBox (int c, BoundingBox &bbox, GFGlyphTracer::Callback *cb=0) const; + virtual bool getExactGlyphBox (int c, GlyphMetrics &metrics, bool vertical, GFGlyphTracer::Callback *cb=0) const; + virtual bool isCIDFont () const; + virtual int hAdvance () const; + virtual double hAdvance (int c) const; + virtual double vAdvance (int c) const; + std::string glyphName (int c) const; + virtual int unitsPerEm () const; + virtual double scaledAscent () const; + virtual int ascent () const; + virtual int descent () const; + virtual int traceAllGlyphs (bool includeCached, GFGlyphTracer::Callback *cb=0) const; + virtual int collectCharMapIDs (std::vector<CharMapID> &charmapIDs) const; + virtual CharMapID getCharMapID () const =0; + virtual void setCharMapID (const CharMapID &id) {} + virtual Character decodeChar (UInt32 c) const; + const char* path () const; + + protected: + bool createGF (std::string &gfname) const; + + public: + static bool EXACT_BBOX; + static bool KEEP_TEMP_FILES; + static const char *CACHE_PATH; ///< path to cache directory (0 if caching is disabled) + static double METAFONT_MAG; ///< magnification factor for Metafont calls + + protected: + static FontCache _cache; +}; + + +/** Interface for all virtual fonts. */ +class VirtualFont : public virtual Font +{ + friend class FontManager; + public: + typedef std::vector<UInt8> DVIVector; + + public: + static Font* create (std::string name, UInt32 checksum, double dsize, double ssize); + virtual const DVIVector* getDVI (int c) const =0; + bool getGlyph (int c, Glyph &glyph, GFGlyphTracer::Callback *cb=0) const {return false;} + + protected: + virtual void assignChar (UInt32 c, DVIVector *dvi) =0; +}; + + +class TFMFont : public virtual Font +{ + public: + TFMFont (std::string name, UInt32 checksum, double dsize, double ssize); + ~TFMFont (); + const FontMetrics* getMetrics () const; + std::string name () const {return _fontname;} + double designSize () const {return _dsize;} + double scaledSize () const {return _ssize;} + double charWidth (int c) const; + double charDepth (int c) const; + double charHeight (int c) const; + double italicCorr (int c) const; + bool verifyChecksums () const; + + private: + mutable FontMetrics *_metrics; + std::string _fontname; + UInt32 _checksum; ///< cheksum to be compared with TFM checksum + double _dsize; ///< design size in PS point units + double _ssize; ///< scaled size in PS point units +}; + + +class PhysicalFontProxy : public PhysicalFont +{ + friend class PhysicalFontImpl; + public: + Font* clone (double ds, double sc) const {return new PhysicalFontProxy(*this, ds, sc);} + const Font* uniqueFont () const {return _pf;} + std::string name () const {return _pf->name();} + double designSize () const {return _dsize;} + double scaledSize () const {return _ssize;} + double charWidth (int c) const {return _pf->charWidth(c);} + double charDepth (int c) const {return _pf->charDepth(c);} + double charHeight (int c) const {return _pf->charHeight(c);} + double italicCorr (int c) const {return _pf->italicCorr(c);} + const FontMetrics* getMetrics () const {return _pf->getMetrics();} + Type type () const {return _pf->type();} + UInt32 unicode (UInt32 c) const {return _pf->unicode(c);} + int fontIndex () const {return _pf->fontIndex();} + const FontStyle* style () const {return _pf->style();} + const FontMap::Entry* fontMapEntry () const {return _pf->fontMapEntry();} + const FontEncoding* encoding () const {return _pf->encoding();} + CharMapID getCharMapID () const {return _pf->getCharMapID();} + int collectCharMapIDs (std::vector<CharMapID> &charmapIDs) const {return _pf->collectCharMapIDs(charmapIDs);} + + protected: + PhysicalFontProxy (const PhysicalFont *font, double ds, double ss) : _pf(font), _dsize(ds), _ssize(ss) {} + PhysicalFontProxy (const PhysicalFontProxy &proxy, double ds, double ss) : _pf(proxy._pf), _dsize(ds), _ssize(ss) {} + + private: + const PhysicalFont *_pf; + double _dsize; ///< design size in PS point units + double _ssize; ///< scaled size in PS point units +}; + + +class PhysicalFontImpl : public PhysicalFont, public TFMFont +{ + friend class PhysicalFont; + public: + ~PhysicalFontImpl(); + Font* clone (double ds, double ss) const {return new PhysicalFontProxy(this, ds, ss);} + const Font* uniqueFont () const {return this;} + Type type () const {return _filetype;} + int fontIndex() const {return _fontIndex;} + const FontStyle* style () const {return _fontMapEntry ? &_fontMapEntry->style : 0;} + const FontMap::Entry* fontMapEntry () const {return _fontMapEntry;} + const FontEncoding* encoding () const; + UInt32 unicode (UInt32 c) const; + bool findAndAssignBaseFontMap (); + void tidy () const; + CharMapID getCharMapID () const {return _charmapID;} + + protected: + PhysicalFontImpl (std::string name, int fontindex, UInt32 checksum, double dsize, double ssize, PhysicalFont::Type type); + + private: + Type _filetype; + int _fontIndex; + const FontMap::Entry *_fontMapEntry; + FontEncodingPair _encodingPair; + CharMapID _charmapID; ///< ID of the font's charmap to use + const RangeMap *_localCharMap; +}; + + +class NativeFont : public PhysicalFont +{ + public: + virtual NativeFont* clone (double ptsize, const FontStyle &style, Color color) const =0; + virtual Font* clone (double ds, double sc) const =0; + std::string name () const; + Type type () const; + double designSize () const {return _ptsize;} + double scaledSize () const {return _ptsize;} + double charWidth (int c) const; + double charDepth (int c) const; + double charHeight (int c) const; + double italicCorr (int c) const {return 0;} + const FontMetrics* getMetrics () const {return 0;} + const FontStyle* style () const {return &_style;} + Color color () const {return _color;} + const FontMap::Entry* fontMapEntry () const {return 0;} + static std::string uniqueName (const std::string &path, const FontStyle &style); + + protected: + NativeFont (double ptsize, const FontStyle &style, Color color) : _ptsize(ptsize), _style(style), _color(color) {} + + private: + double _ptsize; ///< font size in PS point units + FontStyle _style; + Color _color; +}; + + +class NativeFontProxy : public NativeFont +{ + friend class NativeFontImpl; + public: + NativeFont* clone (double ptsize, const FontStyle &style, Color color) const { + return new NativeFontProxy(this, ptsize, style, color); + } + + Font* clone (double ds, double sc) const {return new NativeFontProxy(this , sc, *style(), color());} + const Font* uniqueFont () const {return _nfont;} + const char* path () const {return _nfont->path();} + int fontIndex () const {return _nfont->fontIndex();} + Character decodeChar (UInt32 c) const {return _nfont->decodeChar(c);} + UInt32 unicode (UInt32 c) const {return _nfont->unicode(c);} + CharMapID getCharMapID () const {return _nfont->getCharMapID();} + + protected: + NativeFontProxy (const NativeFont *nfont, double ptsize, const FontStyle &style, Color color) + : NativeFont(ptsize, style, color), _nfont(nfont) {} + + private: + const NativeFont *_nfont; +}; + + +class NativeFontImpl : public NativeFont +{ + public: + NativeFontImpl (const std::string &fname, int fontIndex, double ptsize, const FontStyle &style, Color color) + : NativeFont(ptsize, style, color), _path(fname), _fontIndex(fontIndex) {} + + NativeFont* clone (double ptsize, const FontStyle &style, Color color) const { + return new NativeFontProxy(this, ptsize, style, color); + } + + Font* clone (double ds, double sc) const {return new NativeFontProxy(this , sc, *style(), color());} + const Font* uniqueFont () const {return this;} + const char* path () const {return _path.c_str();} + int fontIndex() const {return _fontIndex;} + bool findAndAssignBaseFontMap (); + CharMapID getCharMapID () const {return CharMapID::NONE;} + Character decodeChar (UInt32 c) const; + UInt32 unicode (UInt32 c) const; + + private: + std::string _path; + int _fontIndex; + ToUnicodeMap _toUnicodeMap; ///< maps from char indexes to unicode points +}; + + +class VirtualFontProxy : public VirtualFont +{ + friend class VirtualFontImpl; + public: + Font* clone (double ds, double ss) const {return new VirtualFontProxy(*this, ds, ss);} + const Font* uniqueFont () const {return _vf;} + std::string name () const {return _vf->name();} + const DVIVector* getDVI (int c) const {return _vf->getDVI(c);} + double designSize () const {return _dsize;} + double scaledSize () const {return _ssize;} + double charWidth (int c) const {return _vf->charWidth(c);} + double charDepth (int c) const {return _vf->charDepth(c);} + double charHeight (int c) const {return _vf->charHeight(c);} + double italicCorr (int c) const {return _vf->italicCorr(c);} + const FontMetrics* getMetrics () const {return _vf->getMetrics();} + const char* path () const {return _vf->path();} + + protected: + VirtualFontProxy (const VirtualFont *font, double ds, double ss) : _vf(font), _dsize(ds), _ssize(ss) {} + VirtualFontProxy (const VirtualFontProxy &proxy, double ds, double ss) : _vf(proxy._vf), _dsize(ds), _ssize(ss) {} + void assignChar (UInt32 c, DVIVector *dvi) {delete dvi;} + + private: + const VirtualFont *_vf; + double _dsize; ///< design size in PS point units + double _ssize; ///< scaled size in PS point units +}; + + +class VirtualFontImpl : public VirtualFont, public TFMFont +{ + friend class VirtualFont; + public: + ~VirtualFontImpl (); + Font* clone (double ds, double ss) const {return new VirtualFontProxy(this, ds, ss);} + const Font* uniqueFont () const {return this;} + const DVIVector* getDVI (int c) const; + const char* path () const; + + protected: + VirtualFontImpl (std::string name, UInt32 checksum, double dsize, double ssize); + void assignChar (UInt32 c, DVIVector *dvi); + + private: + std::map<UInt32, DVIVector*> _charDefs; ///< dvi subroutines defining the characters +}; + + +struct FontException : public MessageException +{ + FontException (std::string msg) : MessageException(msg) {} +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontCache.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontCache.cpp new file mode 100644 index 00000000000..df638715785 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontCache.cpp @@ -0,0 +1,390 @@ +/************************************************************************* +** FontCache.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + + +#include <config.h> +#include <algorithm> +#include <cstring> +#include <fstream> +#include <iomanip> +#include <sstream> +#include "CRC32.h" +#include "FileSystem.h" +#include "FontCache.h" +#include "Glyph.h" +#include "Pair.h" +#include "StreamReader.h" +#include "StreamWriter.h" +#include "types.h" + +using namespace std; + +const UInt8 FontCache::FORMAT_VERSION = 5; + + +static Pair32 read_pair (int bytes, StreamReader &sr) { + Int32 x = sr.readSigned(bytes); + Int32 y = sr.readSigned(bytes); + return Pair32(x, y); +} + + +FontCache::FontCache () : _changed(false) +{ +} + + +FontCache::~FontCache () { + clear(); +} + + +/** Removes all data from the cache. This does not affect the cache files. */ +void FontCache::clear () { + _glyphs.clear(); + _fontname.clear(); +} + + +/** Assigns glyph data to a character and adds it to the cache. + * @param[in] c character code + * @param[in] glyph font glyph data */ +void FontCache::setGlyph (int c, const Glyph &glyph) { + _glyphs[c] = glyph; + _changed = true; +} + + +/** Returns the corresponding glyph data of a given character of the current font. + * @param[in] c character code + * @return font glyph data (0 if no matching data was found) */ +const Glyph* FontCache::getGlyph (int c) const { + GlyphMap::const_iterator it = _glyphs.find(c); + return (it != _glyphs.end()) ? &it->second : 0; +} + + +/** Writes the current cache data to a file (only if anything changed after + * the last call of read()). + * @param[in] fontname name of current font + * @param[in] dir directory where the cache file should go + * @return true if writing was successful */ +bool FontCache::write (const char *fontname, const char *dir) const { + if (!_changed) + return true; + + if (fontname && strlen(fontname) > 0) { + string dirstr = (dir == 0 || strlen(dir) == 0) ? FileSystem::getcwd() : dir; + ostringstream oss; + oss << dirstr << '/' << fontname << ".fgd"; + ofstream ofs(oss.str().c_str(), ios::binary); + return write(fontname, ofs); + } + return false; +} + + +bool FontCache::write (const char* dir) const { + return _fontname.empty() ? false : write(_fontname.c_str(), dir); +} + + +/** Returns the minimal number of bytes needed to store the given value. */ +static int max_int_size (Int32 value) { + Int32 limit = 0x7f; + for (int i=1; i <= 4; i++) { + if ((value < 0 && -value <= limit+1) || (value >= 0 && value <= limit)) + return i; + limit = (limit << 8) | 0xff; + } + return 4; +} + + +/** Returns the minimal number of bytes needed to store the biggest + * pair component of the given vector. */ +static int max_int_size (const Pair<Int32> *pairs, size_t n) { + int ret=0; + for (size_t i=0; i < n; i++) { + ret = max(ret, max_int_size(pairs[i].x())); + ret = max(ret, max_int_size(pairs[i].y())); + } + return ret; +} + + +/** Writes the current cache data to a stream (only if anything changed after + * the last call of read()). + * @param[in] fontname name of current font + * @param[in] os output stream + * @return true if writing was successful */ +bool FontCache::write (const char *fontname, ostream &os) const { + if (!_changed) + return true; + if (!os) + return false; + + StreamWriter sw(os); + CRC32 crc32; + + struct WriteActions : Glyph::Actions { + WriteActions (StreamWriter &sw, CRC32 &crc32) : _sw(sw), _crc32(crc32) {} + + void draw (char cmd, const Glyph::Point *points, int n) { + int bytes = max_int_size(points, n); + int cmdchar = (bytes << 5) | (cmd - 'A'); + _sw.writeUnsigned(cmdchar, 1, _crc32); + for (int i=0; i < n; i++) { + _sw.writeSigned(points[i].x(), bytes, _crc32); + _sw.writeSigned(points[i].y(), bytes, _crc32); + } + } + StreamWriter &_sw; + CRC32 &_crc32; + } actions(sw, crc32); + + sw.writeUnsigned(FORMAT_VERSION, 1, crc32); + sw.writeUnsigned(0, 4); // space for checksum + sw.writeString(fontname, crc32, true); + sw.writeUnsigned(_glyphs.size(), 4, crc32); + FORALL(_glyphs, GlyphMap::const_iterator, it) { + const Glyph &glyph = it->second; + sw.writeUnsigned(it->first, 4, crc32); + sw.writeUnsigned(glyph.size(), 2, crc32); + glyph.iterate(actions, false); + } + os.seekp(1); + sw.writeUnsigned(crc32.get(), 4); // insert CRC32 checksum + os.seekp(0, ios::end); + return true; +} + + +/** Reads font glyph information from a file. + * @param[in] fontname name of font data to read + * @param[in] dir directory where the cache files are located + * @return true if reading was successful */ +bool FontCache::read (const char *fontname, const char *dir) { + if (!fontname || strlen(fontname) == 0) + return false; + if (_fontname == fontname) + return true; + clear(); + string dirstr = (dir == 0 || strlen(dir) == 0) ? FileSystem::getcwd() : dir; + ostringstream oss; + oss << dirstr << '/' << fontname << ".fgd"; + ifstream ifs(oss.str().c_str(), ios::binary); + return read(fontname, ifs); +} + + +/** Reads font glyph information from a stream. + * @param[in] fontname name of font data to read + * @param[in] is input stream to read the glyph data from + * @return true if reading was successful */ +bool FontCache::read (const char *fontname, istream &is) { + if (_fontname == fontname) + return true; + clear(); + _fontname = fontname; + if (!is) + return false; + + StreamReader sr(is); + CRC32 crc32; + if (sr.readUnsigned(1, crc32) != FORMAT_VERSION) + return false; + + UInt32 crc32_cmp = sr.readUnsigned(4); + crc32.update(is); + if (crc32.get() != crc32_cmp) + return false; + + is.clear(); + is.seekg(5); // continue reading after checksum + + string fname = sr.readString(); + if (fname != fontname) + return false; + + UInt32 num_glyphs = sr.readUnsigned(4); + while (num_glyphs-- > 0) { + UInt32 c = sr.readUnsigned(4); // character code + UInt16 s = sr.readUnsigned(2); // number of path commands + Glyph &glyph = _glyphs[c]; + while (s-- > 0) { + UInt8 cmdval = sr.readUnsigned(1); + UInt8 cmdchar = (cmdval & 0x1f) + 'A'; + int bytes = cmdval >> 5; + switch (cmdchar) { + case 'C': { + Pair32 p1 = read_pair(bytes, sr); + Pair32 p2 = read_pair(bytes, sr); + Pair32 p3 = read_pair(bytes, sr); + glyph.cubicto(p1, p2, p3); + break; + } + case 'L': + glyph.lineto(read_pair(bytes, sr)); + break; + case 'M': + glyph.moveto(read_pair(bytes, sr)); + break; + case 'Q': { + Pair32 p1 = read_pair(bytes, sr); + Pair32 p2 = read_pair(bytes, sr); + glyph.conicto(p1, p2); + break; + } + case 'Z': + glyph.closepath(); + } + } + } + _changed = false; + return true; +} + + +/** Collects font cache information. + * @param[in] dirname path to font cache directory + * @param[out] infos the collected font information + * @param[out] invalid names of outdated/corrupted cache files + * @return true on success */ +bool FontCache::fontinfo (const char *dirname, vector<FontInfo> &infos, vector<string> &invalid) { + infos.clear(); + invalid.clear(); + if (dirname) { + vector<string> fnames; + FileSystem::collect(dirname, fnames); + FORALL(fnames, vector<string>::iterator, it) { + if ((*it)[0] == 'f' && it->length() > 5 && it->substr(it->length()-4) == ".fgd") { + FontInfo info; + string path = string(dirname)+"/"+(it->substr(1)); + ifstream ifs(path.c_str(), ios::binary); + if (fontinfo(ifs, info)) + infos.push_back(info); + else + invalid.push_back(it->substr(1)); + } + } + } + return !infos.empty(); +} + + +/** Collects font cache information of a single font. + * @param[in] is input stream of the cache file + * @param[out] info the collected data + * @return true if data could be read, false if cache file is unavailable, outdated, or corrupted */ +bool FontCache::fontinfo (std::istream &is, FontInfo &info) { + info.name.clear(); + info.numchars = info.numbytes = info.numcmds = 0; + if (is) { + is.clear(); + is.seekg(0); + try { + StreamReader sr(is); + CRC32 crc32; + if ((info.version = sr.readUnsigned(1, crc32)) != FORMAT_VERSION) + return false; + + info.checksum = sr.readUnsigned(4); + crc32.update(is); + if (crc32.get() != info.checksum) + return false; + + is.clear(); + is.seekg(5); // continue reading after checksum + + info.name = sr.readString(); + info.numchars = sr.readUnsigned(4); + for (UInt32 i=0; i < info.numchars; i++) { + sr.readUnsigned(4); // character code + UInt16 s = sr.readUnsigned(2); // number of path commands + while (s-- > 0) { + UInt8 cmdval = sr.readUnsigned(1); + UInt8 cmdchar = (cmdval & 0x1f) + 'A'; + int bytes = cmdval >> 5; + int bc = 0; + switch (cmdchar) { + case 'C': bc = 6*bytes; break; + case 'H': + case 'L': + case 'M': + case 'T': + case 'V': bc = 2*bytes; break; + case 'Q': + case 'S': bc = 4*bytes; break; + case 'Z': break; + default : return false; + } + info.numbytes += bc+1; // command length + command + info.numcmds++; + is.seekg(bc, ios::cur); + } + info.numbytes += 6; // number of path commands + char code + } + info.numbytes += 6+info.name.length(); // version + 0-byte + fontname + number of chars + } + catch (StreamReaderException &e) { + return false; + } + } + return true; +} + + +/** Collects font cache information and write it to a stream. + * @param[in] dirname path to font cache directory + * @param[in] os output is written to this stream + * @param[in] purge if true, outdated and corrupted cache files are removed */ +void FontCache::fontinfo (const char *dirname, ostream &os, bool purge) { + if (dirname) { + ios::fmtflags osflags(os.flags()); + vector<FontInfo> infos; + vector<string> invalid_files; + if (fontinfo(dirname, infos, invalid_files)) { + os << "cache format version " << infos[0].version << endl; + typedef map<string,FontInfo*> SortMap; + SortMap sortmap; + FORALL(infos, vector<FontInfo>::iterator, it) + sortmap[it->name] = &(*it); + + FORALL(sortmap, SortMap::iterator, it) { + os << dec << setfill(' ') << left + << setw(10) << left << it->second->name + << setw(5) << right << it->second->numchars << " glyph" << (it->second->numchars == 1 ? ' ':'s') + << setw(10) << right << it->second->numcmds << " cmd" << (it->second->numcmds == 1 ? ' ':'s') + << setw(12) << right << it->second->numbytes << " byte" << (it->second->numbytes == 1 ? ' ':'s') + << setw(6) << "crc:" << setw(8) << hex << right << setfill('0') << it->second->checksum + << endl; + } + } + else + os << "cache is empty\n"; + FORALL(invalid_files, vector<string>::iterator, it) { + string path=string(dirname)+"/"+(*it); + if (FileSystem::remove(path)) + os << "invalid cache file " << (*it) << " removed\n"; + } + os.flags(osflags); // restore format flags + } +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontCache.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontCache.h new file mode 100644 index 00000000000..49efb455495 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontCache.h @@ -0,0 +1,70 @@ +/************************************************************************* +** FontCache.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_FONTCACHE_H +#define DVISVGM_FONTCACHE_H + +#include <iostream> +#include <string> +#include <map> +#include "types.h" +#include "Glyph.h" + + +class FontCache +{ + typedef std::map<int, Glyph> GlyphMap; + + public: + struct FontInfo + { + std::string name; // fontname + UInt16 version; // file format version + UInt32 checksum; // CRC32 checksum of file data + UInt32 numchars; // number of characters + UInt32 numbytes; // number of bytes + UInt32 numcmds; // number of path commands + }; + + public: + FontCache (); + ~FontCache (); + bool read (const char *fontname, const char *dir); + bool read (const char *fontname, std::istream &is); + bool write (const char *dir) const; + bool write (const char *fontname, const char *dir) const; + bool write (const char *fontname, std::ostream &os) const; + const Glyph* getGlyph (int c) const; + void setGlyph (int c, const Glyph &glyph); + void clear (); + const std::string& fontname () const {return _fontname;} + + static bool fontinfo (const char *dirname, std::vector<FontInfo> &infos, std::vector<std::string> &invalid); + static bool fontinfo (std::istream &is, FontInfo &info); + static void fontinfo (const char *dirname, std::ostream &os, bool purge=false); + + private: + static const UInt8 FORMAT_VERSION; + std::string _fontname; + GlyphMap _glyphs; + bool _changed; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontEncoding.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontEncoding.cpp new file mode 100644 index 00000000000..d2dbfd8da50 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontEncoding.cpp @@ -0,0 +1,98 @@ +/************************************************************************* +** FontEncoding.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include "CMap.h" +#include "CMapManager.h" +#include "EncFile.h" +#include "FileFinder.h" +#include "FontEncoding.h" + +using namespace std; + + +struct EncodingMap : public map<string, EncFile*> +{ + ~EncodingMap () { + for (EncodingMap::iterator it=begin(); it != end(); ++it) + delete it->second; + } +}; + + +/** Returns the encoding object for a given encoding name. + * @param[in] encname name of the encoding to lookup + * @return pointer to encoding object, or 0 if there is no encoding defined */ +FontEncoding* FontEncoding::encoding (const string &encname) { + if (encname.empty()) + return 0; + // initially, try to find an .enc file with the given name + static EncodingMap encmap; + EncodingMap::const_iterator it = encmap.find(encname); + if (it != encmap.end()) + return it->second; + if (FileFinder::lookup(encname + ".enc", false)) { + EncFile *enc = new EncFile(encname); + encmap[encname] = enc; + return enc; + } + // no .enc file found => try to find a CMap + if (CMap *cmap = CMapManager::instance().lookup(encname)) + return cmap; + return 0; +} + +///////////////////////////////////////////////////////////////////////// + +Character FontEncodingPair::decode (UInt32 c) const { + if (_enc1) { + Character chr = _enc1->decode(c); + if (_enc2 && chr.type() != Character::NAME) + chr = _enc2->decode(chr.number()); + return chr; + } + return Character(Character::INDEX, 0); +} + + +bool FontEncodingPair::mapsToCharIndex () const { + if (_enc2) + return _enc2->mapsToCharIndex(); + if (_enc1) + return _enc1->mapsToCharIndex(); + return false; +} + + +const FontEncoding* FontEncodingPair::findCompatibleBaseFontMap (const PhysicalFont *font, CharMapID &charmapID) const { + if (_enc2) + return _enc2->findCompatibleBaseFontMap(font, charmapID); + if (_enc1) + return _enc1->findCompatibleBaseFontMap(font, charmapID); + return 0; +} + + +void FontEncodingPair::assign (const FontEncoding *enc) { + if (!_enc1) + _enc1 = enc; + else + _enc2 = enc; +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontEncoding.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontEncoding.h new file mode 100644 index 00000000000..e36eb899bac --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontEncoding.h @@ -0,0 +1,65 @@ +/************************************************************************* +** FontEncoding.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_FONTENCODING_H +#define DVISVGM_FONTENCODING_H + +#include <string> +#include "Character.h" +#include "types.h" + + +struct CharMapID; +class PhysicalFont; + +struct FontEncoding +{ + virtual ~FontEncoding () {} + virtual Character decode (UInt32 c) const =0; + virtual bool mapsToCharIndex () const =0; + virtual const FontEncoding* findCompatibleBaseFontMap (const PhysicalFont *font, CharMapID &charmapID) const {return 0;} + static FontEncoding* encoding (const std::string &encname); +}; + + +struct NamedFontEncoding : public FontEncoding +{ + virtual const char* name () const =0; + virtual const char* path () const =0; +}; + + +class FontEncodingPair : public FontEncoding +{ + public: + FontEncodingPair (const FontEncoding *enc1) : _enc1(enc1), _enc2(0) {} + FontEncodingPair (const FontEncoding *enc1, const FontEncoding *enc2) : _enc1(enc1), _enc2(enc2) {} + Character decode (UInt32 c) const; + bool mapsToCharIndex () const; + const FontEncoding* findCompatibleBaseFontMap (const PhysicalFont *font, CharMapID &charmapID) const; + const FontEncoding* enc1 () const {return _enc1;} + const FontEncoding* enc2 () const {return _enc2;} + void assign (const FontEncoding *enc); + + private: + const FontEncoding *_enc1, *_enc2; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontEngine.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontEngine.cpp new file mode 100644 index 00000000000..633be5514db --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontEngine.cpp @@ -0,0 +1,414 @@ +/************************************************************************* +** FontEngine.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <iostream> +#include <sstream> +#include <ft2build.h> +#include FT_ADVANCES_H +#include FT_GLYPH_H +#include FT_OUTLINE_H +#include FT_TRUETYPE_TABLES_H +#include FT_TYPES_H +#include "Font.h" +#include "FontEngine.h" +#include "FontStyle.h" +#include "Message.h" + +using namespace std; + + +/** Converts a floating point value to a 16.16 fixed point value. */ +static inline FT_Fixed to_16dot16 (double val) { + return static_cast<FT_Fixed>(val*65536.0 + 0.5); +} + + +/** Converts an integer to a 16.16 fixed point value. */ +static inline FT_Fixed to_16dot16 (int val) { + return static_cast<FT_Fixed>(val) << 16; +} + + +/////////////////////////////////////////////////////////////////////////// + + +FontEngine::FontEngine () : _currentFace(0), _currentFont(0) +{ + _currentChar = _currentGlyphIndex = 0; + _horDeviceRes = _vertDeviceRes = 300; + if (FT_Init_FreeType(&_library)) + Message::estream(true) << "FontEngine: error initializing FreeType library\n"; +} + + +FontEngine::~FontEngine () { + if (_currentFace && FT_Done_Face(_currentFace)) + Message::estream(true) << "FontEngine: error removing glyph\n"; + if (FT_Done_FreeType(_library)) + Message::estream(true) << "FontEngine: error removing FreeType library\n"; +} + + +/** Returns the singleton instance of this class. */ +FontEngine& FontEngine::instance () { + static FontEngine engine; + return engine; +} + + +string FontEngine::version () { + FT_Int major, minor, patch; + FT_Library &lib = instance()._library; + FT_Library_Version(lib, &major, &minor, &patch); + ostringstream oss; + oss << major << '.' << minor << '.' << patch; + return oss.str(); +} + + +void FontEngine::setDeviceResolution (int x, int y) { + _horDeviceRes = x; + _vertDeviceRes = y; +} + + +/** Sets the font to be used. + * @param[in] fname path to font file + * @param[in] fontindex index of font in font collection (multi-font files, like TTC) + * @return true on success */ +bool FontEngine::setFont (const string &fname, int fontindex, const CharMapID &charMapID) { + if (_currentFace && FT_Done_Face(_currentFace)) + Message::estream(true) << "FontEngine: error removing font\n"; + if (FT_New_Face(_library, fname.c_str(), fontindex, &_currentFace)) { + Message::estream(true) << "FontEngine: error reading file " << fname << '\n'; + return false; + } + if (charMapID.valid()) + setCharMap(charMapID); + return true; +} + + +bool FontEngine::setFont (const Font &font) { + if (!_currentFont || _currentFont->name() != font.name()) { + const PhysicalFont *pf = dynamic_cast<const PhysicalFont*>(&font); + _currentFont = &font; + return setFont(font.path(), font.fontIndex(), pf ? pf->getCharMapID() : CharMapID()); + } + return true; +} + + +bool FontEngine::isCIDFont() const { + FT_Bool cid_keyed; + return FT_Get_CID_Is_Internally_CID_Keyed(_currentFace, &cid_keyed) == 0 && cid_keyed; +} + + +bool FontEngine::setCharMap (const CharMapID &charMapID) { + for (int i=0; i < _currentFace->num_charmaps; i++) { + FT_CharMap ft_cmap = _currentFace->charmaps[i]; + if (ft_cmap->platform_id == charMapID.platform_id && ft_cmap->encoding_id == charMapID.encoding_id) { + FT_Set_Charmap(_currentFace, ft_cmap); + return true; + } + } + return false; +} + + +/** Returns a character map that maps from character indexes to character codes + * of the current encoding. + * @param[out] charmap the resulting charmap */ +void FontEngine::buildCharMap (RangeMap &charmap) { + charmap.clear(); + FT_UInt glyph_index; + UInt32 charcode = FT_Get_First_Char(_currentFace, &glyph_index); + while (glyph_index) { + charmap.addRange(glyph_index, glyph_index, charcode); + charcode = FT_Get_Next_Char(_currentFace, charcode, &glyph_index); + } +} + + +/** Creates a charmap that maps from the custom character encoding to unicode. + * @return pointer to charmap if it could be created, 0 otherwise */ +const RangeMap* FontEngine::createCustomToUnicodeMap () { + FT_CharMap ftcharmap = _currentFace->charmap; + if (FT_Select_Charmap(_currentFace, FT_ENCODING_ADOBE_CUSTOM) != 0) + return 0; + RangeMap index_to_source_chrcode; + buildCharMap(index_to_source_chrcode); + if (FT_Select_Charmap(_currentFace, FT_ENCODING_UNICODE) != 0) + return 0; + RangeMap *charmap = new RangeMap; + FT_UInt glyph_index; + UInt32 unicode_point = FT_Get_First_Char(_currentFace, &glyph_index); + while (glyph_index) { + UInt32 custom_charcode = index_to_source_chrcode.valueAt(glyph_index); + charmap->addRange(custom_charcode, custom_charcode, unicode_point); + unicode_point = FT_Get_Next_Char(_currentFace, unicode_point, &glyph_index); + } + FT_Set_Charmap(_currentFace, ftcharmap); + return charmap; +} + + +const char* FontEngine::getFamilyName () const { + return _currentFace ? _currentFace->family_name : 0; +} + + +const char* FontEngine::getStyleName () const { + return _currentFace ? _currentFace->style_name : 0; +} + + +int FontEngine::getUnitsPerEM () const { + return _currentFace ? _currentFace->units_per_EM : 0; +} + + +/** Returns the ascender of the current font in font units. */ +int FontEngine::getAscender () const { + return _currentFace ? _currentFace->ascender : 0; +} + + +/** Returns the descender of the current font in font units. */ +int FontEngine::getDescender () const { + return _currentFace ? _currentFace->descender : 0; +} + + +int FontEngine::getAdvance (int c) const { + if (_currentFace) { + FT_Fixed adv=0; + FT_Get_Advance(_currentFace, c, FT_LOAD_NO_SCALE, &adv); + return adv; + } + return 0; +} + + +int FontEngine::getHAdvance () const { + if (_currentFace) { + TT_OS2 *table = static_cast<TT_OS2*>(FT_Get_Sfnt_Table(_currentFace, ft_sfnt_os2)); + return table ? table->xAvgCharWidth : 0; + } + return 0; +} + + +int FontEngine::getHAdvance (const Character &c) const { + if (_currentFace) { + FT_Load_Glyph(_currentFace, charIndex(c), FT_LOAD_NO_SCALE); + return _currentFace->glyph->metrics.horiAdvance; + } + return 0; +} + + +int FontEngine::getVAdvance (const Character &c) const { + if (_currentFace) { + FT_Load_Glyph(_currentFace, charIndex(c), FT_LOAD_NO_SCALE); + if (FT_HAS_VERTICAL(_currentFace)) + return _currentFace->glyph->metrics.vertAdvance; + return _currentFace->glyph->metrics.horiAdvance; + } + return 0; +} + + +int FontEngine::charIndex (const Character &c) const { + switch (c.type()) { + case Character::CHRCODE: + return FT_Get_Char_Index(_currentFace, (FT_ULong)c.number()); + case Character::NAME: + return FT_Get_Name_Index(_currentFace, (FT_String*)c.name()); + default: + return c.number(); + } +} + + +/** Get first available character of the current font face. */ +int FontEngine::getFirstChar () const { + if (_currentFace) + return _currentChar = FT_Get_First_Char(_currentFace, &_currentGlyphIndex); + return 0; +} + + +/** Get the next available character of the current font face. */ +int FontEngine::getNextChar () const { + if (_currentFace && _currentGlyphIndex) + return _currentChar = FT_Get_Next_Char(_currentFace, _currentChar, &_currentGlyphIndex); + return getFirstChar(); +} + + +/** Returns the number of glyphs present in the current font face. */ +int FontEngine::getNumGlyphs () const { + return _currentFace ? _currentFace->num_glyphs : 0; +} + + +/** Returns the glyph name for a given charater code. + * @param[in] c char code + * @return glyph name */ +string FontEngine::getGlyphName (const Character &c) const { + if (c.type() == Character::NAME) + return c.name(); + + if (_currentFace && FT_HAS_GLYPH_NAMES(_currentFace)) { + char buf[256]; + FT_Get_Glyph_Name(_currentFace, charIndex(c), buf, 256); + return string(buf); + } + return ""; +} + + +vector<int> FontEngine::getPanose () const { + vector<int> panose(10); + if (_currentFace) { + TT_OS2 *table = static_cast<TT_OS2*>(FT_Get_Sfnt_Table(_currentFace, ft_sfnt_os2)); + if (table) + for (int i=0; i < 10; i++) + panose[i] = table->panose[i]; + } + return panose; +} + + +int FontEngine::getCharMapIDs (vector<CharMapID> &charmapIDs) const { + charmapIDs.clear(); + if (_currentFace) { + for (int i=0; i < _currentFace->num_charmaps; i++) { + FT_CharMap charmap = _currentFace->charmaps[i]; + charmapIDs.push_back(CharMapID(charmap->platform_id, charmap->encoding_id)); + } + } + return charmapIDs.size(); +} + + +CharMapID FontEngine::setUnicodeCharMap () { + if (_currentFace && FT_Select_Charmap(_currentFace, FT_ENCODING_UNICODE) == 0) + return CharMapID(_currentFace->charmap->platform_id, _currentFace->charmap->encoding_id); + return CharMapID(); +} + + +CharMapID FontEngine::setCustomCharMap () { + if (_currentFace && FT_Select_Charmap(_currentFace, FT_ENCODING_ADOBE_CUSTOM) == 0) + return CharMapID(_currentFace->charmap->platform_id, _currentFace->charmap->encoding_id); + return CharMapID(); +} + + +// handle API change in freetype version 2.2.1 +#if FREETYPE_MAJOR > 2 || (FREETYPE_MAJOR == 2 && (FREETYPE_MINOR > 2 || (FREETYPE_MINOR == 2 && FREETYPE_PATCH >= 1))) + typedef const FT_Vector *FTVectorPtr; +#else + typedef FT_Vector *FTVectorPtr; +#endif + + +// Callback functions used by trace_outline/FT_Outline_Decompose +static int moveto (FTVectorPtr to, void *user) { + Glyph *glyph = static_cast<Glyph*>(user); + glyph->moveto(to->x, to->y); + return 0; +} + + +static int lineto (FTVectorPtr to, void *user) { + Glyph *glyph = static_cast<Glyph*>(user); + glyph->lineto(to->x, to->y); + return 0; +} + + +static int conicto (FTVectorPtr control, FTVectorPtr to, void *user) { + Glyph *glyph = static_cast<Glyph*>(user); + glyph->conicto(control->x, control->y, to->x, to->y); + return 0; +} + + +static int cubicto (FTVectorPtr control1, FTVectorPtr control2, FTVectorPtr to, void *user) { + Glyph *glyph = static_cast<Glyph*>(user); + glyph->cubicto(control1->x, control1->y, control2->x, control2->y, to->x, to->y); + return 0; +} + + +/** Traces the outline of a glyph by calling the corresponding "drawing" functions. + * Each glyph is composed of straight lines, quadratic (conic) or cubic B�zier curves. + * This function creates a Glyph object representing these graphics segments. + * @param[in] face FreeType object representing the font to scan + * @param[in] font corresponding Font object providing additional data + * @param[in] index index of the glyph to be traced + * @param[out] glyph resulting Glyph object containing the graphics segments + * @param[in] scale if true the current pt size will be considered otherwise the plain TrueType units are used. + * @return false on errors */ +static bool trace_outline (FT_Face face, const Font *font, int index, Glyph &glyph, bool scale) { + if (face) { + if (FT_Load_Glyph(face, index, scale ? FT_LOAD_DEFAULT : FT_LOAD_NO_SCALE)) { + Message::estream(true) << "can't load glyph " << int(index) << '\n'; + return false; + } + if (face->glyph->format != FT_GLYPH_FORMAT_OUTLINE) { + Message::estream(true) << "no outlines found in glyph " << int(index) << '\n'; + return false; + } + FT_Outline outline = face->glyph->outline; + // apply style parameters if set + if (const FontStyle *style = font->style()) { + FT_Matrix matrix = {to_16dot16(style->extend), to_16dot16(style->slant), 0, to_16dot16(1)}; + FT_Outline_Transform(&outline, &matrix); + if (style->bold != 0) + FT_Outline_Embolden(&outline, style->bold/font->scaledSize()*face->units_per_EM); + } + const FT_Outline_Funcs funcs = {moveto, lineto, conicto, cubicto, 0, 0}; + FT_Outline_Decompose(&outline, &funcs, &glyph); + return true; + } + Message::wstream(true) << "FontEngine: can't trace outline, no font face selected\n"; + return false; +} + + +/** Traces the outline of a glyph by calling the corresponding "drawing" functions. + * Each glyph is composed of straight lines, quadratic (conic) or cubic B�zier curves. + * This function creates a Glyph object representing these graphics segments. + * @param[in] c the glyph of this character will be traced + * @param[out] glyph resulting Glyph object containing the graphics segments + * @param[in] scale if true the current pt size will be considered otherwise the plain TrueType units are used. + * @return false on errors */ +bool FontEngine::traceOutline (const Character &c, Glyph &glyph, bool scale) const { + if (_currentFace) + return trace_outline(_currentFace, _currentFont, charIndex(c), glyph, scale); + Message::wstream(true) << "FontEngine: can't trace outline, no font face selected\n"; + return false; +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontEngine.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontEngine.h new file mode 100644 index 00000000000..33a4cf7a63b --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontEngine.h @@ -0,0 +1,85 @@ +/************************************************************************* +** FontEngine.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_FONTENGINE_H +#define DVISVGM_FONTENGINE_H + +#include <ft2build.h> +#include FT_FREETYPE_H +#include FT_CID_H +#include <map> +#include <string> +#include <vector> +#include "Character.h" +#include "CharMapID.h" +#include "Font.h" +#include "Glyph.h" +#include "RangeMap.h" +#include "types.h" + + +/** This class provides methods to handle font files and font data. + * It's a wrapper for the Freetype font library. */ +class FontEngine +{ + public: + ~FontEngine (); + static FontEngine& instance (); + static std::string version (); + void setDeviceResolution (int x, int y); + bool setFont (const Font &font); + bool isCIDFont() const; + bool traceOutline (const Character &c, Glyph &glyph, bool scale=true) const; + const char* getFamilyName () const; + const char* getStyleName () const; + int getUnitsPerEM () const; + int getAscender () const; + int getDescender () const; + int getAdvance (int c) const; + int getHAdvance () const; + int getHAdvance (const Character &c) const; + int getVAdvance (const Character &c) const; + int getFirstChar () const; + int getNextChar () const; + int getCharMapIDs (std::vector<CharMapID> &charmapIDs) const; + int getNumGlyphs () const; + CharMapID setUnicodeCharMap (); + CharMapID setCustomCharMap (); + std::vector<int> getPanose () const; + std::string getGlyphName (const Character &c) const; + int getCharByGlyphName (const char *name) const; + bool setCharMap (const CharMapID &charMapID); + void buildCharMap (RangeMap &charmap); + const RangeMap* createCustomToUnicodeMap (); + + protected: + FontEngine (); + bool setFont (const std::string &fname, int fontindex, const CharMapID &charmapID); + int charIndex (const Character &c) const; + + private: + int _horDeviceRes, _vertDeviceRes; + mutable unsigned int _currentChar, _currentGlyphIndex; + FT_Face _currentFace; + FT_Library _library; + const Font *_currentFont; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontManager.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontManager.cpp new file mode 100644 index 00000000000..36ac5b017c2 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontManager.cpp @@ -0,0 +1,348 @@ +/************************************************************************* +** FontManager.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <cstring> +#include <cstdlib> +#include <fstream> +#include <set> +#include "CMap.h" +#include "Font.h" +#include "FontManager.h" +#include "FontMap.h" +#include "FileFinder.h" +#include "FileSystem.h" +#include "Message.h" +#include "macros.h" +#include "CMapManager.h" + +using namespace std; + + +FontManager::~FontManager () { + FORALL(_fonts, vector<Font*>::iterator, i) + delete *i; +} + + +/** Returns the singleton instance */ +FontManager& FontManager::instance () { + static FontManager fm; + return fm; +} + + +/** Returns a unique ID that identifies the font. + * @param[in] n local font number, as used in DVI and VF files + * @return non-negative font ID if font was found, -1 otherwise */ +int FontManager::fontID (int n) const { + if (_vfStack.empty()) { + Num2IdMap::const_iterator it = _num2id.find(n); + return (it == _num2id.end()) ? -1 : it->second; + } + VfNum2IdMap::const_iterator vit = _vfnum2id.find(_vfStack.top()); + if (vit == _vfnum2id.end()) + return -1; + const Num2IdMap &num2id = vit->second; + Num2IdMap::const_iterator it = num2id.find(n); + return (it == num2id.end()) ? -1 : it->second; +} + + +/** Returns a unique ID that identifies the font. Not the font object but the + * font pointer is looked up to get the ID. Thus, two different pointers + * referencing different objects of the same font are mapped to different IDs. + * @param[in] font pointer to font object to be identified + * @return non-negative font ID if font was found, -1 otherwise */ +int FontManager::fontID (const Font *font) const { + for (size_t i=0; i < _fonts.size(); i++) + if (_fonts[i] == font) + return i; + return -1; +} + + +/** Returns a unique ID that identifies the font. + * @param[in] name name of font to be identified, e.g. cmr10 + * @return non-negative font ID if font was found, -1 otherwise */ +int FontManager::fontID (const string &name) const { + map<string,int>::const_iterator it = _name2id.find(name); + if (it == _name2id.end()) + return -1; + return it->second; +} + + +int FontManager::fontnum (int id) const { + if (id < 0 || size_t(id) > _fonts.size()) + return -1; + if (_vfStack.empty()) { + FORALL(_num2id, Num2IdMap::const_iterator, i) + if (i->second == id) + return i->first; + } + else { + VfNum2IdMap::const_iterator it = _vfnum2id.find(_vfStack.top()); + if (it == _vfnum2id.end()) + return -1; + const Num2IdMap &num2id = it->second; + FORALL(num2id, Num2IdMap::const_iterator, i) + if (i->second == id) + return i->first; + } + return -1; +} + + +int FontManager::vfFirstFontNum (VirtualFont *vf) const { + VfFirstFontMap::const_iterator it = _vfFirstFontMap.find(vf); + return (it == _vfFirstFontMap.end()) ? -1 : (int) it->second; +} + + +/** Returns a previously registered font. + * @param[in] n local font number, as used in DVI and VF files + * @return pointer to font if font was found, 0 otherwise */ +Font* FontManager::getFont (int n) const { + int id = fontID(n); + return (id < 0) ? 0 : _fonts[id]; +} + + +Font* FontManager::getFont (const string &name) const { + int id = fontID(name); + if (id < 0) + return 0; + return _fonts[id]; +} + + +Font* FontManager::getFontById (int id) const { + if (id < 0 || size_t(id) >= _fonts.size()) + return 0; + return _fonts[id]; +} + + +/** Returns the current active virtual font. */ +VirtualFont* FontManager::getVF () const { + return _vfStack.empty() ? 0 : _vfStack.top(); +} + + +static Font* create_font (const string &filename, const string &fontname, int fontindex, UInt32 checksum, double dsize, double ssize) { + string ext; + if (const char *dot = strrchr(filename.c_str(), '.')) + ext = dot+1; + if (!ext.empty() && FileFinder::lookup(filename)) { + if (ext == "pfb") + return PhysicalFont::create(fontname, checksum, dsize, ssize, PhysicalFont::PFB); + if (ext == "otf") + return PhysicalFont::create(fontname, checksum, dsize, ssize, PhysicalFont::OTF); + if (ext == "ttf") + return PhysicalFont::create(fontname, checksum, dsize, ssize, PhysicalFont::TTF); + if (ext == "ttc") + return PhysicalFont::create(fontname, fontindex, checksum, dsize, ssize); + if (ext == "vf") + return VirtualFont::create(fontname, checksum, dsize, ssize); + if (ext == "mf") + return PhysicalFont::create(fontname, checksum, dsize, ssize, PhysicalFont::MF); + } + return 0; +} + + +/** Registers a new font to be managed by the FontManager. If there is + * already a registered font assigned to number n, nothing happens. + * @param[in] fontnum local font number, as used in DVI and VF files + * @param[in] name TFM fontname given in DVI file, e.g. cmr10 + * @param[in] checksum checksum to be compared with TFM checksum + * @param[in] dsize design size in PS point units + * @param[in] ssize scaled size in PS point units + * @return id of registered font */ +int FontManager::registerFont (UInt32 fontnum, string name, UInt32 checksum, double dsize, double ssize) { + int id = fontID(fontnum); + if (id >= 0) + return id; + + Font *newfont = 0; + const int newid = _fonts.size(); // the new font gets this ID + Name2IdMap::iterator it = _name2id.find(name); + if (it != _name2id.end()) { // font with same name already registered? + Font *font = _fonts[it->second]; + newfont = font->clone(dsize, ssize); + } + else { + string filename = name; + int fontindex = 0; + const FontMap::Entry *map_entry = FontMap::instance().lookup(name); + if (map_entry) { + filename = map_entry->fontname; + fontindex = map_entry->fontindex; + } + // try to find font file with the exact given name + if (filename.rfind(".") != string::npos) + newfont = create_font(filename, name, fontindex, checksum, dsize, ssize); + else { + // try various font file formats if the given file has no extension + const char *exts[] = {"pfb", "otf", "ttc", "ttf", "vf", "mf", 0}; + for (const char **p = exts; *p && !newfont; ++p) + newfont = create_font(filename+"."+*p, name, fontindex, checksum, dsize, ssize); + } + if (newfont) { + if (!newfont->findAndAssignBaseFontMap()) + Message::wstream(true) << "no suitable encoding table found for font " << filename << "\n"; + if (!newfont->verifyChecksums()) + Message::wstream(true) << "checksum mismatch in font " << name << '\n'; + } + else { + // create dummy font as a placeholder if the proper font is not available + newfont = new EmptyFont(name); + if (filename.rfind(".") == string::npos) + filename += ".mf"; + // print warning message about missing font file (only once for each filename) + static set<string> missing_fonts; + if (missing_fonts.find(filename) == missing_fonts.end()) { + Message::wstream(true) << "font file '" << filename << "' not found\n"; + missing_fonts.insert(filename); + } + } + _name2id[name] = newid; + } + _fonts.push_back(newfont); + if (_vfStack.empty()) // register font referenced in dvi file? + _num2id[fontnum] = newid; + else { // register font referenced in vf file + VirtualFont *vf = const_cast<VirtualFont*>(_vfStack.top()); + _vfnum2id[vf][fontnum] = newid; + if (_vfFirstFontMap.find(vf) == _vfFirstFontMap.end()) // first fontdef of VF? + _vfFirstFontMap[vf] = fontnum; + } + return newid; +} + + +int FontManager::registerFont (UInt32 fontnum, string filename, double ptsize, const FontStyle &style, Color color) { + return registerFont(fontnum, filename, 0, ptsize, style, color); +} + + +int FontManager::registerFont (UInt32 fontnum, string filename, int fontIndex, double ptsize, const FontStyle &style, Color color) { + int id = fontID(fontnum); + if (id >= 0) + return id; + + if (!filename.empty() && filename[0] == '[' && filename[filename.size()-1] == ']') + filename = filename.substr(1, filename.size()-2); + string fontname = NativeFont::uniqueName(filename, style); + const char *path = filename.c_str(); + Font *newfont=0; + const int newid = _fonts.size(); // the new font gets this ID + Name2IdMap::iterator it = _name2id.find(fontname); + if (it != _name2id.end()) { // font with same name already registered? + if (NativeFont *font = dynamic_cast<NativeFont*>(_fonts[it->second])) + newfont = font->clone(ptsize, style, color); + } + else { + if (!FileSystem::exists(path)) + path = FileFinder::lookup(filename, false); + if (path) { + newfont = new NativeFontImpl(path, fontIndex, ptsize, style, color); + newfont->findAndAssignBaseFontMap(); + } + if (!newfont) { + // create dummy font as a placeholder if the proper font is not available + newfont = new EmptyFont(filename); + // print warning message about missing font file (only once for each filename) + static set<string> missing_fonts; + if (missing_fonts.find(filename) == missing_fonts.end()) { + Message::wstream(true) << "font file '" << filename << "' not found\n"; + missing_fonts.insert(filename); + } + } + _name2id[fontname] = newid; + } + _fonts.push_back(newfont); + _num2id[fontnum] = newid; + return newid; +} + + +/** Enters a new virtual font frame. + * This method must be called before processing a VF character. + * @param[in] vf virtual font */ +void FontManager::enterVF (VirtualFont *vf) { + if (vf) + _vfStack.push(vf); +} + + +/** Leaves a previously entered virtual font frame. */ +void FontManager::leaveVF () { + if (!_vfStack.empty()) + _vfStack.pop(); +} + + +/** Assigns a sequence of DVI commands to a char code. + * @param[in] c character code + * @param[in] dvi points to vector with DVI commands */ +void FontManager::assignVfChar (int c, vector<UInt8> *dvi) { + if (!_vfStack.empty() && dvi) + _vfStack.top()->assignChar(c, dvi); +} + + +ostream& FontManager::write (ostream &os, Font *font, int level) { +#if 0 + if (font) { + int id = -1; + for (int i=0; i < fonts.size() && id < 0; i++) + if (fonts[i] == font) + id = i; + + VirtualFont *vf = dynamic_cast<VirtualFont*>(font); + for (int j=0; j < level+1; j++) + os << " "; + os << "id " << id + << " fontnum " << fontnum(id) << " " + << (vf ? "VF" : "PF") << " " + << font->name() + << endl; + + if (vf) { + enterVF(vf); + const Num2IdMap &num2id = vfnum2id.find(vf)->second; + FORALL(num2id, Num2IdMap::const_iterator, i) { + Font *font = fonts[i->second]; + write(os, font, level+1); + } + leaveVF(); + } + } + else { + for (int i=0; i < fonts.size(); i++) + write(os, fonts[i], level); + os << endl; + } +#endif + return os; +} + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontManager.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontManager.h new file mode 100644 index 00000000000..f856eb656a1 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontManager.h @@ -0,0 +1,85 @@ +/************************************************************************* +** FontManager.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_FONTMANAGER_H +#define DVISVGM_FONTMANAGER_H + +#include <map> +#include <ostream> +#include <set> +#include <string> +#include <stack> +#include <vector> +#include "Color.h" +#include "FontStyle.h" +#include "types.h" + + +struct FileFinder; +struct Font; +class VirtualFont; + +/** This class provides methods for easy DVI font handling. + * DVI and VF files use local font numbers to reference fonts. For SVG output + * we need a single list with unique IDs of all physical fonts. Characters of + * virtual fonts are completely replaced by their DVI description so they don't + * appear anywhere in the output. */ +class FontManager +{ + typedef std::map<UInt32,int> Num2IdMap; + typedef std::map<std::string,int> Name2IdMap; + typedef std::map<VirtualFont*,Num2IdMap> VfNum2IdMap; + typedef std::map<VirtualFont*, UInt32> VfFirstFontMap; + typedef std::stack<VirtualFont*> VfStack; + + public: + ~FontManager (); + static FontManager& instance (); + int registerFont (UInt32 fontnum, std::string fontname, UInt32 checksum, double dsize, double scale); + int registerFont (UInt32 fontnum, std::string fname, double ptsize, const FontStyle &style, Color color); + int registerFont (UInt32 fontnum, std::string fname, int fontIndex, double ptsize, const FontStyle &style, Color color); + Font* getFont (int n) const; + Font* getFont (const std::string &name) const; + Font* getFontById (int id) const; + VirtualFont* getVF () const; + int fontID (int n) const; + int fontID (const Font *font) const; + int fontID (const std::string &name) const; + int fontnum (int id) const; + int vfFirstFontNum (VirtualFont *vf) const; + void enterVF (VirtualFont *vf); + void leaveVF (); + void assignVfChar (int c, std::vector<UInt8> *dvi); + const std::vector<Font*>& getFonts () const {return _fonts;} + std::ostream& write (std::ostream &os, Font *font=0, int level=0); + + protected: + FontManager () {} + + private: + std::vector<Font*> _fonts; ///< all registered Fonts + Num2IdMap _num2id; ///< DVI font number -> fontID + Name2IdMap _name2id; ///< fontname -> fontID + VfNum2IdMap _vfnum2id; + VfStack _vfStack; ///< stack of currently processed virtual fonts + VfFirstFontMap _vfFirstFontMap; ///< VF -> local font number of first font defined in VF +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontMap.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontMap.cpp new file mode 100644 index 00000000000..e6179c8115e --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontMap.cpp @@ -0,0 +1,305 @@ +/************************************************************************* +** FontMap.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <cstring> +#include <fstream> +#include <iostream> +#include <limits> +#include <vector> +#include "CMap.h" +#include "Directory.h" +#include "FileFinder.h" +#include "FontManager.h" +#include "FontMap.h" +#include "MapLine.h" +#include "Message.h" +#include "Subfont.h" + +using namespace std; + + +FontMap::~FontMap () { + for (Iterator it=_entries.begin(); it != _entries.end(); ++it) + delete it->second; +} + + +/** Returns the singleton instance. */ +FontMap& FontMap::instance() { + static FontMap fontmap; + return fontmap; +} + + +/** Reads and evaluates a single font map file. + * @param[in] fname name of map file to read + * @param[in] mode selects how to integrate the map file entries into the global map tree + * @return true if file could be opened */ +bool FontMap::read (const string &fname, FontMap::Mode mode) { + ifstream ifs(fname.c_str()); + if (!ifs) + return false; + + int line_number = 1; + while (ifs) { + int c = ifs.peek(); + if (c < 0 || strchr("\n&#%;*", c)) // comment or empty line? + ifs.ignore(numeric_limits<int>::max(), '\n'); + else { + try { + MapLine mapline(ifs); + apply(mapline, mode); + } + catch (const MapLineException &e) { + Message::wstream(true) << fname << ", line " << line_number << ": " << e.what() << '\n'; + } + catch (const SubfontException &e) { + Message::wstream(true) << e.filename(); + if (e.lineno() > 0) + Message::wstream(false) << ", line " << e.lineno(); + Message::wstream(false) << e.what() << '\n'; + } + } + line_number++; + } + return true; +} + + +bool FontMap::read (const string &fname, char modechar) { + Mode mode; + switch (modechar) { + case '=': mode = FM_REPLACE; break; + case '-': mode = FM_REMOVE; break; + default : mode = FM_APPEND; + } + return read(fname, mode); +} + + +/** Applies a mapline according to the given mode (append, remove, replace). + * @param[in] mapline the mapline to be applied + * @param[in] mode mode to use + * @return true in case of success */ +bool FontMap::apply (const MapLine& mapline, FontMap::Mode mode) { + switch (mode) { + case FM_APPEND: + return append(mapline); + case FM_REMOVE: + return remove(mapline); + default: + return replace(mapline); + } +} + + +/** Applies a mapline according to the given mode (append, remove, replace). + * @param[in] mapline the mapline to be applied + * @param[in] modechar character that denotes the mode (+, -, or =) + * @return true in case of success */ +bool FontMap::apply (const MapLine& mapline, char modechar) { + Mode mode; + switch (modechar) { + case '=': mode = FM_REPLACE; break; + case '-': mode = FM_REMOVE; break; + default : mode = FM_APPEND; + } + return apply(mapline, mode); +} + + +/** Reads and evaluates a sequence of map files. Each map file is looked up in the local + * directory and the TeX file tree. + * @param[in] fname_seq comma-separated list of map file names + * @return true if at least one of the given map files was found */ +bool FontMap::read (const string &fname_seq) { + bool found = false; + size_t left=0; + while (left < fname_seq.length()) { + const char modechar = fname_seq[left]; + if (strchr("+-=", modechar)) + left++; + string fname; + size_t right = fname_seq.find(',', left); + if (right != string::npos) + fname = fname_seq.substr(left, right-left); + else { + fname = fname_seq.substr(left); + right = fname_seq.length(); + } + if (!fname.empty()) { + if (!read(fname, modechar)) { + if (const char *path = FileFinder::lookup(fname, false)) + found = found || read(path, modechar); + else + Message::wstream(true) << "map file " << fname << " not found\n"; + } + } + left = right+1; + } + return found; +} + + +/** Appends given map line data to the font map if there is no entry for the corresponding + * font in the map yet. + * @param[in] mapline parsed font data + * @return true if data has been appended */ +bool FontMap::append (const MapLine &mapline) { + bool ret = false; + if (!mapline.texname().empty()) { + if (!mapline.fontfname().empty() || !mapline.encname().empty()) { + vector<Subfont*> subfonts; + if (mapline.sfd()) + mapline.sfd()->subfonts(subfonts); + else + subfonts.push_back(0); + for (size_t i=0; i < subfonts.size(); i++) { + string fontname = mapline.texname()+(subfonts[i] ? subfonts[i]->id() : ""); + Iterator it = _entries.find(fontname); + if (it == _entries.end()) { + _entries[fontname] = new Entry(mapline, subfonts[i]); + ret = true; + } + } + } + } + return ret; +} + + +/** Replaces the map data of the given font. + * If the font is locked (because it's already in use) nothing happens. + * @param[in] mapline parsed font data + * @return true if data has been replaced */ +bool FontMap::replace (const MapLine &mapline) { + if (mapline.texname().empty()) + return false; + if (mapline.fontfname().empty() && mapline.encname().empty()) + return remove(mapline); + + vector<Subfont*> subfonts; + if (mapline.sfd()) + mapline.sfd()->subfonts(subfonts); + else + subfonts.push_back(0); + for (size_t i=0; i < subfonts.size(); i++) { + string fontname = mapline.texname()+(subfonts[i] ? subfonts[i]->id() : ""); + Iterator it = _entries.find(fontname); + if (it == _entries.end()) + _entries[fontname] = new Entry(mapline, subfonts[i]); + else if (!it->second->locked) + *it->second = Entry(mapline, subfonts[i]); + } + return true; +} + + +/** Removes the map entry of the given font. + * If the font is locked (because it's already in use) nothing happens. + * @param[in] mapline parsed font data + * @return true if entry has been removed */ +bool FontMap::remove (const MapLine &mapline) { + bool ret = false; + if (!mapline.texname().empty()) { + vector<Subfont*> subfonts; + if (mapline.sfd()) + mapline.sfd()->subfonts(subfonts); + else + subfonts.push_back(0); + for (size_t i=0; i < subfonts.size(); i++) { + string fontname = mapline.texname()+(subfonts[i] ? subfonts[i]->id() : ""); + Iterator it = _entries.find(fontname); + if (it != _entries.end() && !it->second->locked) { + _entries.erase(it); + ret = true; + } + } + } + return ret; +} + + +ostream& FontMap::write (ostream &os) const { + for (ConstIterator it=_entries.begin(); it != _entries.end(); ++it) + os << it->first << " -> " << it->second->fontname << " [" << it->second->encname << "]\n"; + return os; +} + + +/** Reads and evaluates all map files in the given directory. + * @param[in] dirname path to directory containing the map files to be read */ +void FontMap::readdir (const string &dirname) { + Directory dir(dirname); + while (const char *fname = dir.read(Directory::ET_FILE)) { + if (strlen(fname) >= 4 && strcmp(fname+strlen(fname)-4, ".map") == 0) { + string path = dirname + "/" + fname; + read(path.c_str()); + } + } +} + + +/** Returns name of font that is mapped to a given font. + * @param[in] fontname name of font whose mapped name is retrieved + * @returns name of mapped font */ +const FontMap::Entry* FontMap::lookup (const string &fontname) const { + ConstIterator it = _entries.find(fontname); + if (it == _entries.end()) + return 0; + return it->second; +} + + +/** Sets the lock flag for the given font in order to avoid changing the map data of this font. + * @param[in] fontname name of font to be locked */ +void FontMap::lockFont (const string& fontname) { + Iterator it = _entries.find(fontname); + if (it != _entries.end()) + it->second->locked = true; +} + + +/** Removes all (unlocked) entries from the font map. + * @param[in] unlocked_only if true, only unlocked entries are removed */ +void FontMap::clear (bool unlocked_only) { + if (!unlocked_only) + _entries.clear(); + else { + Iterator it=_entries.begin(); + while (it != _entries.end()) { + if (it->second->locked) + ++it; + else { + delete it->second; + _entries.erase(it++); + } + } + } +} + +///////////////////////////////////////////////// + +FontMap::Entry::Entry (const MapLine &mapline, Subfont *sf) + : fontname(mapline.fontfname()), encname(mapline.encname()), subfont(sf), fontindex(mapline.fontindex()), + locked(false), style(mapline.bold(), mapline.extend(), mapline.slant()) +{ +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontMap.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontMap.h new file mode 100644 index 00000000000..0360a67d3df --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontMap.h @@ -0,0 +1,78 @@ +/************************************************************************* +** FontMap.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_FONTMAP_H +#define DVISVGM_FONTMAP_H + +#include <map> +#include <ostream> +#include <string> +#include "FontStyle.h" + + +struct FontEncoding; +class MapLine; +class Subfont; + +class FontMap +{ + public: + struct Entry + { + Entry (const MapLine &mapline, Subfont *subfont=0); + std::string fontname; ///< target font name + std::string encname; ///< name of font encoding + Subfont *subfont; + int fontindex; ///< index of font in multi-font file + bool locked; + FontStyle style; + }; + + protected: + typedef std::map<std::string,Entry*>::iterator Iterator; + typedef std::map<std::string,Entry*>::const_iterator ConstIterator; + + public: + enum Mode {FM_APPEND, FM_REMOVE, FM_REPLACE}; + + ~FontMap (); + static FontMap& instance (); + bool read (const std::string &fname, Mode mode); + bool read (const std::string &fname, char modechar); + bool read (const std::string &fname_seq); + void readdir (const std::string &dirname); + bool apply (const MapLine &mapline, Mode mode); + bool apply (const MapLine &mapline, char modechar); + bool append (const MapLine &mapline); + bool replace (const MapLine &mapline); + bool remove (const MapLine &mapline); + void lockFont (const std::string &fontname); + void clear (bool unlocked_only=false); + std::ostream& write (std::ostream &os) const; + const Entry* lookup(const std::string &fontname) const; + + protected: + FontMap () {} + + private: + std::map<std::string,Entry*> _entries; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontMetrics.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontMetrics.cpp new file mode 100644 index 00000000000..5792e8abbd5 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontMetrics.cpp @@ -0,0 +1,41 @@ +/************************************************************************* +** FontMetrics.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <fstream> +#include "FileFinder.h" +#include "FontMetrics.h" +#include "JFM.h" +#include "TFM.h" + +using namespace std; + + +FontMetrics* FontMetrics::read (const char *fontname) { + const char *path = FileFinder::lookup(string(fontname) + ".tfm"); + ifstream ifs(path, ios::binary); + if (!ifs) + return 0; + UInt16 id = 256*ifs.get(); + id += ifs.get(); + if (id == 9 || id == 11) // Japanese font metric file? + return new JFM(ifs); + return new TFM(ifs); +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontMetrics.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontMetrics.h new file mode 100644 index 00000000000..7e7a9d3e12a --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontMetrics.h @@ -0,0 +1,64 @@ +/************************************************************************* +** FontMetrics.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_FONTMETRICS_H +#define DVISVGM_FONTMETRICS_H + +#include <istream> +#include "MessageException.h" +#include "types.h" + +struct FontMetrics +{ + virtual ~FontMetrics () {} + virtual double getDesignSize () const =0; + virtual double getCharWidth (int c) const =0; + virtual double getCharHeight (int c) const =0; + virtual double getCharDepth (int c) const =0; + virtual double getItalicCorr (int c) const =0; + virtual bool verticalLayout () const =0; + virtual UInt32 getChecksum () const =0; + virtual UInt16 firstChar () const =0; + virtual UInt16 lastChar () const =0; + static FontMetrics* read (const char *fontname); +}; + + +struct NullFontMetric : public FontMetrics +{ + double getDesignSize () const {return 1;} + double getCharWidth (int c) const {return 0;} + double getCharHeight (int c) const {return 0;} + double getCharDepth (int c) const {return 0;} + double getItalicCorr (int c) const {return 0;} + bool verticalLayout () const {return false;} + UInt32 getChecksum () const {return 0;} + UInt16 firstChar () const {return 0;} + UInt16 lastChar () const {return 0;} +}; + + +struct FontMetricException : public MessageException +{ + FontMetricException (const std::string &msg) : MessageException(msg) {} +}; + + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontStyle.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontStyle.h new file mode 100644 index 00000000000..932c09291cc --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/FontStyle.h @@ -0,0 +1,12 @@ +#ifndef FONTSTYLE +#define FONTSTYLE + +struct FontStyle { + FontStyle () : bold(0), extend(1), slant(0) {} + FontStyle (float b, float e, float s) : bold(b), extend(e), slant(s) {} + double bold; ///< stroke width in pt used to draw the glyph outlines + double extend; ///< factor to strech/shrink the glyphs horizontally + double slant; ///< horizontal slanting/skewing value (= tan(phi)) +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/GFGlyphTracer.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/GFGlyphTracer.cpp new file mode 100644 index 00000000000..19d9e0bb533 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/GFGlyphTracer.cpp @@ -0,0 +1,93 @@ +/************************************************************************* +** GFGlyphTracer.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include "GFGlyphTracer.h" +#include "Pair.h" + +using namespace std; + +GFGlyphTracer::GFGlyphTracer () : GFTracer(_ifs, 0), _glyph(0), _callback(0) +{ +} + +/** Constructs a new glyph tracer. + * @param[in] is GF input stream + * @param[in] upp target units per PS point */ +GFGlyphTracer::GFGlyphTracer (string &fname, double upp, Callback *cb) + : GFTracer(_ifs, upp), _glyph(0), _callback(cb) +{ + if (_callback) + _callback->setFont(fname); + _ifs.open(fname.c_str(), ios::binary); +} + + +void GFGlyphTracer::reset (string &fname, double upp) { + if (_callback) + _callback->setFont(fname); + if (_ifs.is_open()) + _ifs.close(); + unitsPerPoint(upp); + _ifs.open(fname.c_str(), ios::binary); +} + + +bool GFGlyphTracer::executeChar (UInt8 c) { + if (!_glyph) + return false; + + if (_callback) + _callback->beginChar(c); + bool ok = GFTracer::executeChar(c); + if (_callback) { + if (ok) + _callback->endChar(c); + else + _callback->emptyChar(c); + } + return ok; +} + + +void GFGlyphTracer::moveTo (double x, double y) { + _glyph->moveto(int(x), int(y)); +} + + +void GFGlyphTracer::lineTo (double x, double y) { + _glyph->lineto(int(x), int(y)); +} + + +void GFGlyphTracer::curveTo (double c1x, double c1y, double c2x, double c2y, double x, double y) { + _glyph->cubicto(int(c1x), int(c1y), int(c2x), int(c2y), int(x), int(y)); +} + + +void GFGlyphTracer::closePath () { + _glyph->closepath(); +} + + +void GFGlyphTracer::endChar (UInt32 c) { + _glyph->clear(); + GFTracer::endChar(c); +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/GFGlyphTracer.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/GFGlyphTracer.h new file mode 100644 index 00000000000..1449657465f --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/GFGlyphTracer.h @@ -0,0 +1,60 @@ +/************************************************************************* +** GFGlyphTracer.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_GFGLYPHTRACER_H +#define DVISVGM_GFGLYPHTRACER_H + +#include <fstream> +#include <string> +#include "GFTracer.h" +#include "Glyph.h" + +class GFGlyphTracer : public GFTracer +{ + public: + struct Callback { + virtual ~Callback () {} + virtual void setFont (const std::string &fontname) {} + virtual void beginChar (UInt8 c) {} + virtual void endChar (UInt8 c) {} + virtual void emptyChar (UInt8 c) {} + }; + + public: + GFGlyphTracer (); + GFGlyphTracer (std::string &fname, double upp, Callback *cb=0); + void reset (std::string &fname, double upp); + void setCallback (Callback *cb) {_callback = cb;} + bool executeChar (UInt8 c); + void moveTo (double x, double y); + void lineTo (double x, double y); + void curveTo (double c1x, double c1y, double c2x, double c2y, double x, double y); + void closePath (); + void endChar (UInt32 c); + void setGlyph (Glyph &glyph) {_glyph = &glyph;} + const Glyph& getGlyph () const {return *_glyph;} + + private: + std::ifstream _ifs; + Glyph *_glyph; + Callback *_callback; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/GFReader.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/GFReader.cpp new file mode 100644 index 00000000000..8e10c21373f --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/GFReader.cpp @@ -0,0 +1,368 @@ +/************************************************************************* +** GFReader.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <iostream> +#include <sstream> +#include "GFReader.h" +#include "macros.h" +#include "SignalHandler.h" + +using namespace std; + +struct GFCommand +{ + void (GFReader::*method)(int); + int numBytes; +}; + + +/** Converts a fix point length to double (PS point units) */ +static inline double fix2double (Int32 fix) { + return double(fix)/(1 << 20)*72/72.27; +} + + +static inline double scaled2double (Int32 scaled) { + return double(scaled)/(1 << 16); +} + + +GFReader::GFReader (istream &is) : _in(is), _penDown(false) +{ + _minX = _maxX = _minY = _maxY = _x = _y = 0; + _currentChar = 0; + _designSize = 0; + _hppp = _vppp = 0; + _checksum = 0; +} + + +UInt32 GFReader::readUnsigned (int bytes) { + UInt32 ret = 0; + for (int i=bytes-1; i >= 0 && !_in.eof(); i--) { + UInt32 b = _in.get(); + ret |= b << (8*i); + } + return ret; +} + + +Int32 GFReader::readSigned (int bytes) { + Int32 ret = _in.get(); + if (ret & 128) // negative value? + ret |= 0xffffff00; + for (int i=bytes-2; i >= 0 && !_in.eof(); i--) + ret = (ret << 8) | _in.get(); + return ret; +} + + +string GFReader::readString (int bytes) { + vector<char> buf(bytes+1); + if (bytes > 0) + _in.get(&buf[0], bytes+1); // reads 'bytes' bytes (pos. bytes+1 is set to 0) + else + buf[0] = 0; + return &buf[0]; +} + + +/** Reads a single GF command from the current position of the input stream and calls the + * corresponding cmdFOO method. + * @return opcode of the executed command */ +int GFReader::executeCommand () { + SignalHandler::instance().check(); + /* Each cmdFOO command reads the necessary number of bytes from the stream so executeCommand + doesn't need to know the exact GF command format. Some cmdFOO methods are used for multiple + GF commands because they only differ in the size of their parameters. */ + static const GFCommand commands[] = { + {&GFReader::cmdPaint, 1}, {&GFReader::cmdPaint, 2}, {&GFReader::cmdPaint, 3}, // 64-66 + {&GFReader::cmdBoc, 0}, {&GFReader::cmdBoc1, 0}, // 67-68 + {&GFReader::cmdEoc, 0}, // 69 + {&GFReader::cmdSkip, 0}, {&GFReader::cmdSkip, 1}, {&GFReader::cmdSkip, 2},{&GFReader::cmdSkip, 3}, // 70-73 + {&GFReader::cmdXXX, 1}, {&GFReader::cmdXXX, 2}, {&GFReader::cmdXXX, 3}, {&GFReader::cmdXXX, 4}, // 239-242 + {&GFReader::cmdYYY, 0}, // 243 + {&GFReader::cmdNop, 0}, // 244 + {&GFReader::cmdCharLoc, 0}, {&GFReader::cmdCharLoc0, 0}, // 245-246 + {&GFReader::cmdPre, 0}, {&GFReader::cmdPost, 0}, {&GFReader::cmdPostPost, 0} // 247-249 + }; + + int opcode = _in.get(); + if (opcode < 0) // at end of file? + throw GFException("unexpected end of file"); + + if (opcode >= 0 && opcode <= 63) + cmdPaint0(opcode); + else if (opcode >= 74 && opcode <= 238) + cmdNewRow(opcode-74); + else if (opcode >= 250) { + ostringstream oss; + oss << "undefined GF command (opcode " << opcode << ")"; + throw GFException(oss.str()); + } + else { + int offset = opcode <= 73 ? 64 : 239-(73-64+1); + const GFCommand &cmd = commands[opcode-offset]; + if (cmd.method) + (this->*cmd.method)(cmd.numBytes); + } + return opcode; +} + + +bool GFReader::executeChar (UInt8 c) { + _in.clear(); + if (_charInfoMap.empty()) + executePostamble(); // read character info + _in.clear(); + Iterator it = _charInfoMap.find(c); + if (_in && it != _charInfoMap.end()) { + _in.seekg(it->second.location); + while (executeCommand() != 69); // execute all commands until eoc is reached + return true; + } + return false; +} + + +bool GFReader::executeAllChars () { + _in.clear(); + if (_charInfoMap.empty()) + executePostamble(); // read character info + _in.clear(); + if (_in) { + _in.seekg(0); + while (executeCommand() != 248); // execute all commands until postamble is reached + return true; + } + return false; +} + + +bool GFReader::executePreamble () { + _in.clear(); + if (!_in) + return false; + _in.seekg(0); + executeCommand(); + return true; +} + + +bool GFReader::executePostamble () { + _in.clear(); + if (!_in) + return false; + _in.seekg(-1, ios::end); + while (_in.peek() == 223) // skip fill bytes + _in.seekg(-1, ios::cur); + _in.seekg(-4, ios::cur); + UInt32 q = readUnsigned(4); // pointer to begin of postamble + _in.seekg(q); // now on begin of postamble + while (executeCommand() != 249); // execute all commands until postpost is reached + return true; +} + + +/** Returns the design size of this font in PS point units. */ +double GFReader::getDesignSize () const { + return fix2double(_designSize); +} + +/** Returns the number of horizontal pixels per point. */ +double GFReader::getHPixelsPerPoint () const { + return scaled2double(_hppp)*72/72.27; +} + +/** Returns the number of vertical pixels per point. */ +double GFReader::getVPixelsPerPoint () const { + return scaled2double(_vppp)*72/72.27; +} + +/** Returns the width of character c in PS point units */ +double GFReader::getCharWidth (UInt32 c) const { + ConstIterator it = _charInfoMap.find(c%256); + return it == _charInfoMap.end() ? 0 : it->second.width*getDesignSize()/(1<<24); +} + +/////////////////////// + + +/** Reads the preamble. */ +void GFReader::cmdPre (int) { + UInt32 i = readUnsigned(1); + if (i == 131) { + UInt32 k = readUnsigned(1); + string s = readString(k); + preamble(s); + } + else + throw GFException("invalid identification number in GF preamble"); +} + + +/** Reads the postamble. */ +void GFReader::cmdPost (int) { + readUnsigned(4); // pointer to byte after final eoc + _designSize = readUnsigned(4); // design size of font in points + _checksum = readUnsigned(4); // checksum + _hppp = readUnsigned(4); // horizontal pixels per point (scaled int) + _vppp = readUnsigned(4); // vertical pixels per point (scaled int) + _in.seekg(16, ios::cur); // skip x and y bounds + postamble(); +} + + +/** Reads trailing bytes at end of stream. */ +void GFReader::cmdPostPost (int) { + readUnsigned(4); // pointer to begin of postamble + UInt32 i = readUnsigned(1); + if (i == 131) + while (readUnsigned(1) == 223); // skip fill bytes + else + throw GFException("invalid identification number in GF preamble"); +} + + +/** Inverts "paint color" (black to white or vice versa) of n pixels + * and advances the cursor by n. + * @param[in] n number of pixels to be inverted */ +void GFReader::cmdPaint0 (int n) { + if (_penDown) // set pixels? + _bitmap.setBits(_y, _x, n); + _x += n; + _penDown = !_penDown; // inverse pen state +} + + +/** Inverts "paint color" (black to white or vice versa) of n pixels + * and advances the cursor by n. The number n of pixels is read from + * the input stream. + * @param[in] len size of n in bytes */ +void GFReader::cmdPaint (int len) { + UInt32 pixels = readUnsigned(len); + cmdPaint0(pixels); +} + + +/** Beginning of character (generic format). */ +void GFReader::cmdBoc (int) { + _currentChar = readSigned(4); + readSigned(4); // pointer to previous boc with same c mod 256 + _minX = readSigned(4); + _maxX = readSigned(4); + _minY = readSigned(4); + _maxY = readSigned(4); + _x = _minX; + _y = _maxY; + _penDown = false; + _bitmap.resize(_minX, _maxX, _minY, _maxY); + beginChar(_currentChar); +} + + +/** Beginning of character (compact format). */ +void GFReader::cmdBoc1 (int) { + _currentChar = readUnsigned(1); + UInt32 dx = readUnsigned(1); + _maxX = readUnsigned(1); + _minX = _maxX - dx; + UInt32 dy = readUnsigned(1); + _maxY = readUnsigned(1); + _minY = _maxY - dy; + _x = _minX; + _y = _maxY; + _penDown = false; + _bitmap.resize(_minX, _maxX, _minY, _maxY); + beginChar(_currentChar); +} + + +/** End of character. */ +void GFReader::cmdEoc (int) { + endChar(_currentChar); +} + + +/** Moves cursor to the beginning of a following row and sets + * paint color to white. + * @param[in] len if 0: move to next row, otherwise: number of bytes to read. + * The read value denotes the number of rows to be skipped. */ +void GFReader::cmdSkip (int len) { + if (len == 0) + _y--; + else + _y -= readUnsigned(len)+1; + _x = _minX; + _penDown = false; +} + + +/** Moves cursor to pixel number 'col' in the next row and sets + * the paint color to black. + * @param[in] col pixel/column number */ +void GFReader::cmdNewRow (int col) { + _x = _minX + col ; + _y--; + _penDown = true; +} + + +void GFReader::cmdXXX (int len) { + UInt32 n = readUnsigned(len); + string str = readString(n); + special(str); +} + + +void GFReader::cmdYYY (int) { + Int32 y = readSigned(4); + numspecial(y); +} + + +/** Does nothing. */ +void GFReader::cmdNop (int) { +} + + +/** Reads character locator (part of postamble) */ +void GFReader::cmdCharLoc0 (int) { + UInt8 c = readUnsigned(1); // character code mod 256 + UInt8 dm = readUnsigned(1); // + Int32 w = readSigned(4); // (1<<24)*characterWidth/designSize + Int32 p = readSigned(4); // pointer to begin of (last) character data + Int32 dx = 65536*dm; + Int32 dy = 0; + _charInfoMap[c] = CharInfo(dx, dy, w, p); +} + + +/** Reads character locator (part of postamble) */ +void GFReader::cmdCharLoc (int) { + UInt32 c = readUnsigned(1); // character code mod 256 + Int32 dx = readSigned(4); // horizontal escapement (scaled pixel units) + Int32 dy = readSigned(4); // vertical escapement (scaled pixel units) + Int32 w = readSigned(4); // (1<<24)*characterWidth/designSize + Int32 p = readSigned(4); // pointer to begin of (last) character data + _charInfoMap[c] = CharInfo(dx, dy, w, p); +} + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/GFReader.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/GFReader.h new file mode 100644 index 00000000000..a644fce901c --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/GFReader.h @@ -0,0 +1,111 @@ +/************************************************************************* +** GFReader.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_GFREADER_H +#define DVISVGM_GFREADER_H + +#include <istream> +#include <map> +#include <string> +#include "Bitmap.h" +#include "MessageException.h" +#include "types.h" + + +class CharInfo; + + +struct GFException : public MessageException +{ + GFException (const std::string &msg) : MessageException(msg) {} +}; + + +class GFReader +{ + struct CharInfo + { + CharInfo () : dx(0), dy(0), width(0), location(0) {} + CharInfo (Int32 dxx, Int32 dyy, Int32 w, UInt32 p) : dx(dxx), dy(dyy), width(w), location(p) {} + + Int32 dx, dy; + Int32 width; // 2^24 * (true width)/(design size) + UInt32 location; + }; + + typedef std::map<UInt8,CharInfo>::iterator Iterator; + typedef std::map<UInt8,CharInfo>::const_iterator ConstIterator; + public: + GFReader (std::istream &is); + virtual ~GFReader () {} + bool executeChar (UInt8 c); + bool executeAllChars (); + bool executePreamble (); + bool executePostamble (); + virtual void preamble (const std::string &str) {} + virtual void postamble () {} + virtual void beginChar (UInt32 c) {} + virtual void endChar (UInt32 c) {} + virtual void special (std::string str) {} + virtual void numspecial (Int32 y) {} + const Bitmap& getBitmap () const {return _bitmap;} + double getDesignSize () const; + double getHPixelsPerPoint () const; + double getVPixelsPerPoint () const; + double getCharWidth (UInt32 c) const; + UInt32 getChecksum () const {return _checksum;} + + protected: + Int32 readSigned (int bytes); + UInt32 readUnsigned (int bytes); + std::string readString (int len); + int executeCommand (); + std::istream& getInputStream () const {return _in;} + + void cmdPre (int); + void cmdPost (int); + void cmdPostPost (int); + void cmdPaint0 (int pixels); + void cmdPaint (int len); + void cmdBoc (int); + void cmdBoc1 (int); + void cmdEoc (int); + void cmdSkip (int len); + void cmdNewRow (int col); + void cmdXXX (int len); + void cmdYYY (int); + void cmdNop (int); + void cmdCharLoc0 (int); + void cmdCharLoc (int); + + private: + std::istream &_in; + Int32 _minX, _maxX, _minY, _maxY; + Int32 _x, _y; // current pen location (pixel units) + Int32 _currentChar; + Bitmap _bitmap; // bitmap of current char + FixWord _designSize; // designSize + ScaledInt _hppp, _vppp; // horizontal and vertical pixel per point + UInt32 _checksum; + std::map<UInt8,CharInfo> _charInfoMap; + bool _penDown; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/GFTracer.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/GFTracer.cpp new file mode 100644 index 00000000000..e071e93e1f6 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/GFTracer.cpp @@ -0,0 +1,103 @@ +/************************************************************************* +** GFTracer.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <iostream> +#include <fstream> +#include <sstream> +#include "GFTracer.h" +#include "Glyph.h" +#include "Message.h" + +#ifdef __MSVC__ +#include <potracelib.h> +#else +extern "C" { +#include <potracelib.h> +} +#endif + +using namespace std; + + +GFTracer::GFTracer (istream &is) + : GFReader(is), _unitsPerPoint(0.0) +{ +} + + +/** Constructs a new GFTracer. + * @param[in] is GF file is read from this stream + * @param[in] upp target units per PS point */ +GFTracer::GFTracer (istream &is, double upp) + : GFReader(is), _unitsPerPoint(upp) +{ +} + + +void GFTracer::beginChar (UInt32 c) { +} + + +void GFTracer::endChar (UInt32 c) { + const Bitmap &bitmap = getBitmap(); + if (bitmap.empty()) + return; + + // prepare potrace's bitmap structure + vector<potrace_word> buffer; + potrace_bitmap_t pobitmap; + pobitmap.w = bitmap.width(); + pobitmap.h = bitmap.height(); + pobitmap.dy = bitmap.copy(buffer); + pobitmap.map = &buffer[0]; + potrace_param_t *param = potrace_param_default(); + potrace_state_t *state = potrace_trace(param, &pobitmap); + potrace_param_free(param); + + if (!state || state->status == POTRACE_STATUS_INCOMPLETE) + Message::wstream(true) << "error while tracing character\n"; + else { + double hsf=1.0, vsf=1.0; // horizontal a d vertical scale factor + if (_unitsPerPoint != 0.0) { + hsf = _unitsPerPoint/getHPixelsPerPoint(); // horizontal scale factor + vsf = _unitsPerPoint/getVPixelsPerPoint(); // vertical scale factor + } + for (potrace_path_t *path = state->plist; path; path = path->next) { + potrace_dpoint_t &p = path->curve.c[path->curve.n-1][2]; // start/end point + moveTo(hsf*(p.x+bitmap.xshift()), vsf*(p.y+bitmap.yshift())); + for (int i=0; i < path->curve.n; i++) { + if (path->curve.tag[i] == POTRACE_CURVETO) { + curveTo(hsf*(path->curve.c[i][0].x+bitmap.xshift()), vsf*(path->curve.c[i][0].y+bitmap.yshift()), + hsf*(path->curve.c[i][1].x+bitmap.xshift()), vsf*(path->curve.c[i][1].y+bitmap.yshift()), + hsf*(path->curve.c[i][2].x+bitmap.xshift()), vsf*(path->curve.c[i][2].y+bitmap.yshift())); + } + else { + lineTo(hsf*(path->curve.c[i][1].x+bitmap.xshift()), vsf*(path->curve.c[i][1].y+bitmap.yshift())); + if (i == path->curve.n-1) + closePath(); + else + lineTo(hsf*(path->curve.c[i][2].x+bitmap.xshift()), vsf*(path->curve.c[i][2].y+bitmap.yshift())); + } + } + } + } + potrace_state_free(state); +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/GFTracer.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/GFTracer.h new file mode 100644 index 00000000000..a288284f3ab --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/GFTracer.h @@ -0,0 +1,47 @@ +/************************************************************************* +** GFTracer.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_GFTRACER_H +#define DVISVGM_GFTRACER_H + +#include <istream> +#include "GFReader.h" + +class GFTracer : public GFReader +{ + public: + GFTracer (std::istream &is); + GFTracer (std::istream &is, double upp); + virtual ~GFTracer () {} + virtual void moveTo (double x, double y) =0; + virtual void lineTo (double x, double y) =0; + virtual void curveTo (double c1x, double c1y, double c2x, double c2y, double x, double y) =0; + virtual void closePath () =0; + void beginChar (UInt32 c); + void endChar (UInt32 c); + + protected: + void unitsPerPoint(double upp) {_unitsPerPoint = upp;} + + private: + double _unitsPerPoint; ///< target units per PS point +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Ghostscript.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Ghostscript.cpp new file mode 100644 index 00000000000..6a58ba0c6b5 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Ghostscript.cpp @@ -0,0 +1,353 @@ +/************************************************************************* +** Ghostscript.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include "Ghostscript.h" +#if !defined(DISABLE_GS) +#include <cstring> +#include <iomanip> +#include <sstream> +#if defined(HAVE_LIBGS) + #include <ghostscript/ierrors.h> +#else + #include "ierrors.h" + #include "FileFinder.h" +#endif + +using namespace std; + +// name of Ghostscript shared library set by the user +string Ghostscript::LIBGS_NAME; + +#ifndef HAVE_LIBGS + +#ifdef __WIN32__ +/** Looks up the path of the Ghostscript DLL in the Windows registry and returns it. + * If there is no proper registry entry, the returned string is empty. */ +static string get_path_from_registry () { +#ifdef RRF_RT_REG_SZ // RegGetValueA and RRF_RT_REG_SZ may not be defined for some oldish MinGW + REGSAM mode = KEY_READ|KEY_QUERY_VALUE; +#ifdef KEY_WOW64_64KEY +#ifdef __WIN64__ + mode |= KEY_WOW64_64KEY; +#else + mode |= KEY_WOW64_32KEY; +#endif +#endif + static const char *gs_companies[] = {"GPL", "GNU", "AFPL", "Aladdin"}; + for (size_t i=0; i < sizeof(gs_companies)/sizeof(char*); i++) { + const string reg_path = string("SOFTWARE\\") + gs_companies[i] + " Ghostscript"; + static HKEY reg_roots[] = {HKEY_CURRENT_USER, HKEY_LOCAL_MACHINE}; + for (size_t j=0; j < sizeof(reg_roots)/sizeof(HKEY); j++) { + HKEY hkey; + if (RegOpenKeyExA(reg_roots[j], reg_path.c_str(), 0, mode, &hkey) == ERROR_SUCCESS) { + char subkey[16]; + for (int k=0; RegEnumKeyA(hkey, k, subkey, 16) == ERROR_SUCCESS; k++) { + istringstream iss(subkey); + int major_version; + iss >> major_version; + if (major_version >= 7) { + char dll_path[256]; // path to Ghostscript DLL stored in the registry + DWORD length; + if (RegGetValueA(hkey, subkey, "GS_DLL", RRF_RT_REG_SZ, 0, dll_path, &length) == ERROR_SUCCESS) { + RegCloseKey(hkey); + return dll_path; + } + } + } + RegCloseKey(hkey); + } + } + } +#endif // RRF_RT_REG_SZ + return ""; +} +#endif // __WIN32__ + + +/** Try to detect name of the Ghostscript shared library depending on the user settings. + * @param[in] fname path/filename given by the user + * @return name of Ghostscript shared library */ +static string get_libgs (const string &fname) { + if (!fname.empty()) + return fname; +#ifdef MIKTEX +#if defined(__WIN64__) + const char *gsdll = "mgsdll64.dll"; +#else + const char *gsdll = "mgsdll32.dll"; +#endif + // try to look up the Ghostscript DLL coming with MiKTeX + if (const char *gsdll_path = FileFinder::lookup(gsdll)) + return gsdll_path; +#endif // MIKTEX +#if defined(__WIN32__) + // try to look up the path of the Ghostscript DLL in the Windows registry + string gsdll_path = get_path_from_registry(); + if (!gsdll_path.empty()) + return gsdll_path; +#endif +#if defined(__WIN64__) + return "gsdll64.dll"; +#elif defined(__WIN32__) + return "gsdll32.dll"; +#else + // try to find libgs.so.X on the user's system + const int abi_min=7, abi_max=9; // supported libgs ABI versions + for (int i=abi_max; i >= abi_min; i--) { + ostringstream oss; +#if defined(__CYGWIN__) + oss << "cyggs-" << i << ".dll"; +#else + oss << "libgs.so." << i; +#endif + DLLoader loader(oss.str().c_str()); + if (loader.loaded()) + return oss.str(); + } +#endif + // no appropriate library found + return ""; +} +#endif // !HAVE_LIBGS + + +/** Loads the Ghostscript library but does not create an instance. This + * constructor should only be used to call available() and revision(). */ +Ghostscript::Ghostscript () +#if !defined(HAVE_LIBGS) + : DLLoader(get_libgs(LIBGS_NAME).c_str()) +#endif +{ + _inst = 0; +} + + +/** Tries to load the shared library and to initialize Ghostscript. + * @param[in] argc number of parameters in array argv + * @param[in] argv parameters passed to Ghostscript + * @param[in] caller this parameter is passed to all callback functions */ +Ghostscript::Ghostscript (int argc, const char **argv, void *caller) +#if !defined(HAVE_LIBGS) + : DLLoader(get_libgs(LIBGS_NAME).c_str()) +#endif +{ + _inst = 0; + init(argc, argv, caller); +} + + +/** Exits Ghostscript and unloads the dynamic library. */ +Ghostscript::~Ghostscript () { + if (_inst) { + this->exit(); + delete_instance(); + } +} + + +bool Ghostscript::init (int argc, const char **argv, void *caller) { + if (!_inst) { + int status = new_instance(&_inst, caller); + if (status < 0) + _inst = 0; + else { + init_with_args(argc, (char**)argv); + } + } + return _inst != 0; +} + + +/** Returns true if Ghostscript library was found and can be loaded. */ +bool Ghostscript::available () { +#if defined(HAVE_LIBGS) + return true; +#else + gsapi_revision_t rev; + return loaded() && revision(&rev); +#endif +} + + +/** Retrieves version information about Ghostscript. + * @param[out] r takes the revision information (see GS API documentation for further details) + * @return true on success */ +bool Ghostscript::revision (gsapi_revision_t *r) { +#if defined(HAVE_LIBGS) + return (gsapi_revision(r, sizeof(gsapi_revision_t)) == 0); +#else + if (PFN_gsapi_revision fn = (PFN_gsapi_revision)loadSymbol("gsapi_revision")) + return (fn(r, sizeof(gsapi_revision_t)) == 0); + return false; +#endif +} + + +/** Returns product name and revision number of the GS library. + * @param[in] revonly if true, only the revision number is returned */ +string Ghostscript::revision (bool revonly) { + gsapi_revision_t r; + if (revision(&r)) { + ostringstream oss; + if (!revonly) + oss << r.product << ' '; + oss << (r.revision/100) << '.' << setfill('0') << setw(2) << (r.revision%100); + return oss.str(); + } + return ""; +} + + +/** Creates a new instance of Ghostscript. This method is called by the constructor and + * should not be used elsewhere. + * @param[out] psinst handle of newly created instance (or 0 on error) + * @param[in] caller pointer forwarded to callback functions */ +int Ghostscript::new_instance (void **psinst, void *caller) { +#if defined(HAVE_LIBGS) + return gsapi_new_instance(psinst, caller); +#else + if (PFN_gsapi_new_instance fn = (PFN_gsapi_new_instance)loadSymbol("gsapi_new_instance")) + return fn(psinst, caller); + *psinst = 0; + return 0; +#endif +} + + +/** Destroys the current instance of Ghostscript. This method is called by the destructor + * and should not be used elsewhere. */ +void Ghostscript::delete_instance () { +#if defined(HAVE_LIBGS) + gsapi_delete_instance(_inst); +#else + if (PFN_gsapi_delete_instance fn = (PFN_gsapi_delete_instance)loadSymbol("gsapi_delete_instance")) + fn(_inst); +#endif +} + + +/** Exits the interpreter. Must be called before destroying the GS instance. */ +int Ghostscript::exit () { +#if defined(HAVE_LIBGS) + return gsapi_exit(_inst); +#else + if (PFN_gsapi_exit fn = (PFN_gsapi_exit)loadSymbol("gsapi_exit")) + return fn(_inst); + return 0; +#endif +} + + +/** Sets the I/O callback functions. + * @param[in] in pointer to stdin handler + * @param[in] out pointer to stdout handler + * @param[in] err pointer to stderr handler */ +int Ghostscript::set_stdio (Stdin in, Stdout out, Stderr err) { +#if defined(HAVE_LIBGS) + return gsapi_set_stdio(_inst, in, out, err); +#else + if (PFN_gsapi_set_stdio fn = (PFN_gsapi_set_stdio)loadSymbol("gsapi_set_stdio")) + return fn(_inst, in, out, err); + return 0; +#endif +} + + +/** Initializes Ghostscript with a set of optional parameters. This + * method is called by the constructor and should not be used elsewhere. + * @param[in] argc number of paramters + * @param[in] argv parameters passed to Ghostscript */ +int Ghostscript::init_with_args (int argc, char **argv) { +#if defined(HAVE_LIBGS) + return gsapi_init_with_args(_inst, argc, argv); +#else + if (PFN_gsapi_init_with_args fn = (PFN_gsapi_init_with_args)loadSymbol("gsapi_init_with_args")) + return fn(_inst, argc, argv); + return 0; +#endif +} + + +/** Tells Ghostscript that several calls of run_string_continue will follow. */ +int Ghostscript::run_string_begin (int user_errors, int *pexit_code) { +#if defined(HAVE_LIBGS) + return gsapi_run_string_begin(_inst, user_errors, pexit_code); +#else + if (PFN_gsapi_run_string_begin fn = (PFN_gsapi_run_string_begin)loadSymbol("gsapi_run_string_begin")) + return fn(_inst, user_errors, pexit_code); + *pexit_code = 0; + return 0; +#endif +} + + +/** Executes a chunk of PostScript commands given by a buffer of characters. The size of + * this buffer must not exceed 64KB. Longer programs can be split into arbitrary smaller chunks + * and passed to Ghostscript by successive calls of run_string_continue. + * @param[in] str buffer containing the PostScript code + * @param[in] length number of characters in buffer + * @param[in] user_errors if non-negative, the default PS error values will be generated, otherwise this value is returned + * @param[out] pexit_code takes the PS error code */ +int Ghostscript::run_string_continue (const char *str, unsigned length, int user_errors, int *pexit_code) { +#if defined(HAVE_LIBGS) + return gsapi_run_string_continue(_inst, str, length, user_errors, pexit_code); +#else + if (PFN_gsapi_run_string_continue fn = (PFN_gsapi_run_string_continue)loadSymbol("gsapi_run_string_continue")) + return fn(_inst, str, length, user_errors, pexit_code); + *pexit_code = 0; + return 0; +#endif +} + + +/** Terminates the successive code feeding. Must be called after the last call of run_string_continue. */ +int Ghostscript::run_string_end (int user_errors, int *pexit_code) { +#if defined(HAVE_LIBGS) + return gsapi_run_string_end(_inst, user_errors, pexit_code); +#else + if (PFN_gsapi_run_string_end fn = (PFN_gsapi_run_string_end)loadSymbol("gsapi_run_string_end")) + return fn(_inst, user_errors, pexit_code); + *pexit_code = 0; + return 0; +#endif +} + + +const char* Ghostscript::error_name (int code) { + if (code < 0) + code = -code; + const char *error_names[] = { ERROR_NAMES }; + if (code == 0 || (size_t)code > sizeof(error_names)/sizeof(error_names[0])) + return 0; +#if defined(HAVE_LIBGS) + // use array defined in libgs to avoid linking the error strings into the binary + return gs_error_names[code-1]; +#elif defined(__WIN32__) + // gs_error_names is private in the Ghostscript DLL so we can't access it here + return error_names[code-1]; +#else + if (const char **error_names = (const char**)loadSymbol("gs_error_names")) + return error_names[code-1]; + return 0; +#endif +} + +#endif // !DISABLE_GS diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Ghostscript.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Ghostscript.h new file mode 100644 index 00000000000..c20c847dfbe --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Ghostscript.h @@ -0,0 +1,103 @@ +/************************************************************************* +** Ghostscript.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_GHOSTSCRIPT_H +#define DVISVGM_GHOSTSCRIPT_H + +#include <config.h> +#include <string> + +#if defined(DISABLE_GS) + #include "iapi.h" +#elif defined(HAVE_LIBGS) + #include <ghostscript/iapi.h> +#else + #include "DLLoader.h" + #include "iapi.h" +#endif + +#if defined(__WIN32__) && !defined(_Windows) + #define _Windows +#endif + +#if defined(DISABLE_GS) +struct Ghostscript +{ + typedef int (GSDLLCALLPTR Stdin) (void *caller, char *buf, int len); + typedef int (GSDLLCALLPTR Stdout) (void *caller, const char *str, int len); + typedef int (GSDLLCALLPTR Stderr) (void *caller, const char *str, int len); + + Ghostscript () {} + Ghostscript (int argc, const char **argv, void *caller=0) {} + bool init (int argc, const char **argv, void *caller=0) {return false;} + bool available () {return false;} + bool revision (gsapi_revision_t *r) {return false;} + std::string revision (bool revonly=false) {return "";} + int set_stdio (Stdin in, Stdout out, Stderr err) {return 0;} + int run_string_begin (int user_errors, int *pexit_code) {return 0;} + int run_string_continue (const char *str, unsigned int length, int user_errors, int *pexit_code) {return 0;} + int run_string_end (int user_errors, int *pexit_code) {return 0;} + int exit () {return 0;} + const char* error_name (int code) {return 0;} +}; + +#else + +/** Wrapper class of (a subset of) the Ghostscript API. */ +class Ghostscript +#if !defined(HAVE_LIBGS) +: public DLLoader +#endif +{ + public: + typedef int (GSDLLCALLPTR Stdin) (void *caller, char *buf, int len); + typedef int (GSDLLCALLPTR Stdout) (void *caller, const char *str, int len); + typedef int (GSDLLCALLPTR Stderr) (void *caller, const char *str, int len); + + public: + Ghostscript (); + Ghostscript (int argc, const char **argv, void *caller=0); + ~Ghostscript (); + bool init (int argc, const char **argv, void *caller=0); + bool available (); + bool revision (gsapi_revision_t *r); + std::string revision (bool revonly=false); + int set_stdio (Stdin in, Stdout out, Stderr err); + int run_string_begin (int user_errors, int *pexit_code); + int run_string_continue (const char *str, unsigned int length, int user_errors, int *pexit_code); + int run_string_end (int user_errors, int *pexit_code); + int exit (); + const char* error_name (int code); + + static std::string LIBGS_NAME; + + protected: + Ghostscript (const Ghostscript &gs) : _inst(0) {} + int init_with_args (int argc, char **argv); + int new_instance (void **psinst, void *caller); + void delete_instance (); + + private: + void *_inst; ///< Ghostscript handle needed to call the gsapi_foo functions +}; + +#endif // DISABLE_GS + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Glyph.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Glyph.h new file mode 100644 index 00000000000..d19f130ceaf --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Glyph.h @@ -0,0 +1,28 @@ +/************************************************************************* +** Glyph.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_GLYPH_H +#define DVISVGM_GLYPH_H + +#include "GraphicPath.h" + +typedef GraphicPath<Int32> Glyph; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/GlyphTracerMessages.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/GlyphTracerMessages.h new file mode 100644 index 00000000000..c6190730ecf --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/GlyphTracerMessages.h @@ -0,0 +1,74 @@ +/************************************************************************* +** GlyphTracerMessages.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_GLYPHTRACERMESSAGES_H +#define DVISVGM_GLYPHTRACERMESSAGES_H + +#include <sstream> +#include "GFGlyphTracer.h" +#include "Message.h" +#include "types.h" + +class GlyphTracerMessages : public GFGlyphTracer::Callback +{ + public: + GlyphTracerMessages (bool sfmsg=true, bool autonl=true) : _sfmsg(sfmsg), _autonl(autonl), _traced(false) {} + + ~GlyphTracerMessages () { + if (_autonl) + Message::mstream() << '\n'; + } + + void beginChar (UInt8 c) { + if (!_traced) { + if (!_fname.empty()) + Message::mstream() << '\n'; + Message::mstream(false, Message::MC_STATE) + << "tracing glyphs of " << _fname.substr(0, _fname.length()-3) << '\n'; + _traced = true; + } + } + + void endChar (UInt8 c) { + std::ostringstream oss; + oss << '['; + if (isprint(c)) + oss << c; + else + oss << '#' << unsigned(c); + oss << ']'; + Message::mstream(false, Message::MC_TRACING) << oss.str(); + } + + void setFont (const std::string &fname) { + if (_sfmsg && fname != _fname) { + _fname = fname; + _traced = false; + } + } + + private: + std::string _fname; + bool _sfmsg, _autonl; + bool _traced; ///< true if a glyph of the current font has already been traced? +}; + + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/GraphicPath.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/GraphicPath.h new file mode 100644 index 00000000000..6d377eb8a59 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/GraphicPath.h @@ -0,0 +1,395 @@ +/************************************************************************* +** GraphicPath.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_GRAPHICPATH_H +#define DVISVGM_GRAPHICPATH_H + +#include <cctype> +#include <list> +#include <ostream> +#include <vector> +#include "BoundingBox.h" +#include "Matrix.h" +#include "Pair.h" +#include "XMLString.h" + + +template <typename T> +class GraphicPath +{ + friend class PathClipper; + public: + enum WindingRule {WR_EVEN_ODD, WR_NON_ZERO}; + typedef Pair<T> Point; + + struct Command { + enum Type {MOVETO, LINETO, CONICTO, CUBICTO, CLOSEPATH}; + + Command (Type t) : type(t) {} + + Command (Type t, const Point &p) : type(t) { + params[0] = p; + } + + Command (Type t, const Point &p1, const Point &p2) : type(t) { + params[0] = p1; + params[1] = p2; + } + + Command (Type t, const Point &p1, const Point &p2, const Point &p3) : type(t) { + params[0] = p1; + params[1] = p2; + params[2] = p3; + } + + int numParams () const { + switch (type) { + case CLOSEPATH : return 0; + case MOVETO : + case LINETO : return 1; + case CONICTO : return 2; + case CUBICTO : return 3; + } + return 0; + } + + void transform (const Matrix &matrix) { + for (int i=0; i < numParams(); i++) + params[i] = matrix * params[i]; + } + + Type type; + Point params[3]; + }; + + struct Actions + { + virtual ~Actions () {} + virtual void moveto (const Point &p) {} + virtual void lineto (const Point &p) {} + virtual void hlineto (const T &y) {} + virtual void vlineto (const T &x) {} + virtual void sconicto (const Point &p) {} + virtual void conicto (const Point &p1, const Point &p2) {} + virtual void scubicto (const Point &p1, const Point &p2) {} + virtual void cubicto (const Point &p1, const Point &p2, const Point &p3) {} + virtual void closepath () {} + virtual void draw (char cmd, const Point *points, int n) {} + virtual bool quit () {return false;} + virtual void finished () {} + }; + + typedef typename std::vector<Command>::iterator Iterator; + typedef typename std::vector<Command>::const_iterator ConstIterator; + typedef typename std::vector<Command>::const_reverse_iterator ConstRevIterator; + + public: + GraphicPath (WindingRule wr=WR_NON_ZERO) : _windingRule(wr) {} + + void setWindingRule (WindingRule wr) {_windingRule = wr;} + WindingRule windingRule () const {return _windingRule;} + + void clear () { + _commands.clear(); + } + + /// Returns true if the path is empty, i.e. there is nothing to draw + bool empty () const { + return _commands.empty(); + } + + /// Returns the number of path commands used to describe the path. + size_t size () const { + return _commands.size(); + } + + /// Insert another path at the beginning of this one. + void prepend (const GraphicPath &path) { + _commands.insert(_commands.begin(), path._commands.begin(), path._commands.end()); + } + + void moveto (const T &x, const T &y) { + moveto(Point(x, y)); + } + + void moveto (const Point &p) { + // avoid sequences of several MOVETOs; always use latest + if (_commands.empty() || _commands.back().type != Command::MOVETO) + _commands.push_back(Command(Command::MOVETO, p)); + else + _commands.back().params[0] = p; + } + + void lineto (const T &x, const T &y) { + lineto(Point(x, y)); + } + + void lineto (const Point &p) { + _commands.push_back(Command(Command::LINETO, p)); + } + + void conicto (const T &x1, const T &y1, const T &x2, const T &y2) { + conicto(Point(x1, y1), Point(x2, y2)); + } + + void conicto (const Point &p1, const Point &p2) { + _commands.push_back(Command(Command::CONICTO, p1, p2)); + } + + void cubicto (const T &x1, const T &y1, const T &x2, const T &y2, const T &x3, const T &y3) { + cubicto(Point(x1, y1), Point(x2, y2), Point(x3, y3)); + } + + void cubicto (const Point &p1, const Point &p2, const Point &p3) { + _commands.push_back(Command(Command::CUBICTO, p1, p2, p3)); + } + + void closepath () { + _commands.push_back(Command(Command::CLOSEPATH)); + } + + + const std::vector<Command>& commands () const { + return _commands; + } + + + /** Detects all open subpaths and closes them by adding a closePath command. + * Most font formats only support closed outline paths so there are no explicit closePath statements + * in the glyph's outline description. All open paths are automatically closed by the renderer. + * This method detects all open paths and adds the missing closePath statement. */ + void closeOpenSubPaths () { + Command *prevCommand = 0; + FORALL(_commands, Iterator, it) { + if (it->type == Command::MOVETO && prevCommand && prevCommand->type != Command::CLOSEPATH) { + prevCommand = &(*it); + it = _commands.insert(it, Command(Command::CLOSEPATH))+1; +// ++it; // skip inserted closePath command in next iteration step + } + else + prevCommand = &(*it); + } + if (!_commands.empty() && _commands.back().type != Command::CLOSEPATH) + closepath(); + } + + + /** Writes the path data as SVG path drawing command to a given output stream. + * @param[in] os output stream used to write the SVG commands to + * @param[in] relative if true, create relative rather than absolute coordinate values + * @param[in] sx horizontal scale factor + * @param[in] sy vertical scale factor + * @param[in] dx horizontal translation in PS point units + * @param[in] dy vertical translation in PS point units */ + void writeSVG (std::ostream &os, bool relative, double sx=1.0, double sy=1.0, double dx=0.0, double dy=0.0) const { + struct WriteActions : Actions { + WriteActions (std::ostream &os, bool relative, double sx, double sy, double dx, double dy) + : _os(os), _relative(relative), _sx(sx), _sy(sy), _dx(dx), _dy(dy) {} + + void draw (char cmd, const Point *points, int n) { + if (_relative) + cmd = tolower(cmd); + _os << cmd; + switch (cmd) { + case 'h': _os << XMLString(_sx*(points->x()-_currentPoint.x())+_dx); break; + case 'v': _os << XMLString(_sy*(points->y()-_currentPoint.y())+_dy); break; + case 'z': _currentPoint = _startPoint; break; + case 'H': _os << XMLString(_sx*points->x()+_dx); break; + case 'V': _os << XMLString(_sy*points->y()+_dy); break; + default : + for (int i=0; i < n; i++) { + if (i > 0) + _os << ' '; + Point p = points[i]; + if (_relative) + p -= _currentPoint; + _os << XMLString(_sx*p.x()+_dx) << ' ' << XMLString(_sy*p.y()+_dy); + } + } + if (cmd == 'm') + _startPoint = points[0]; + if (islower(cmd) && n > 0) + _currentPoint = points[n-1]; + } + std::ostream &_os; + bool _relative; + double _sx, _sy, _dx, _dy; + Point _startPoint, _currentPoint; + } actions(os, relative, sx, sy, dx, dy); + iterate(actions, true); + } + +#if 0 + void writePS (std::ostream &os, double sx=1.0, double sy=1.0, double dx=0.0, double dy=0.0) const { + struct WriteActions : Actions { + WriteActions (std::ostream &os, double sx, double sy, double dx, double dy) + : _os(os), _sx(sx), _sy(sy), _dx(dx), _dy(dy) {} + void draw (char cmd, const Point *points, int n) { + for (int i=0; i < n; i++) + _os << _sx*points[i].x()+_dx << ' ' << _sy*points[i].y()+_dy << ' '; + switch (cmd) { + case 'M': _os << "moveto"; break; + case 'L': _os << "lineto"; break; + case 'C': _os << "curveto"; break; + case 'Z': _os << "closepath"; break; + default: ; + } + _os << '\n'; + } + std::ostream &_os; + bool _relative; + double _sx, _sy, _dx, _dy; + } actions(os, sx, sy, dx, dy); + iterate(actions, false); + } +#endif + + + /** Computes the bounding box of the current path. + * @param[out] bbox the computed bounding box */ + void computeBBox (BoundingBox &bbox) const { + struct BBoxActions : Actions { + BBoxActions (BoundingBox &bb) : bbox(bb) {} + void moveto (const Point &p) {bbox.embed(p);} + void lineto (const Point &p) {bbox.embed(p);} + void conicto (const Point &p1, const Point &p2) {bbox.embed(p1); bbox.embed(p2);} + void cubicto (const Point &p1, const Point &p2, const Point &p3) {bbox.embed(p1); bbox.embed(p2); bbox.embed(p3);} + BoundingBox &bbox; + } actions(bbox); + iterate(actions, false); + } + + + /** Checks whether the current path describes a dot/point only (with no extent). + * @param[out] p coordinates of the point if path describes a dot + * @return true if path is a dot/point */ + bool isDot (Point &p) const { + struct DotActions : Actions { + DotActions () : differs(false) {} + void moveto (const Point &p) {point = p;} + void lineto (const Point &p) {differs = (p != point);} + void conicto (const Point &p1, const Point &p2) {differs = (point != p1 || point != p2);} + void cubicto (const Point &p1, const Point &p2, const Point &p3) {differs = (point != p1 || point != p2 || point != p3);} + bool quit () {return differs;} + Point point; + bool differs; + } actions; + iterate(actions, false); + p = actions.point; + return !actions.differs; + } + + + /** Transforms the path according to a given Matrix. + * @param[in] matrix Matrix describing the affine transformation */ + void transform (const Matrix &matrix) { + FORALL(_commands, Iterator, it) + it->transform(matrix); + } + + void iterate (Actions &actions, bool optimize) const; + + private: + std::vector<Command> _commands; + WindingRule _windingRule; +}; + + +/** Iterates over all commands defining this path and calls the corresponding template methods. + * In the case of successive bezier curve sequences, control points or tangent slopes are often + * identical so that the path description contains redundant information. SVG provides shorthand + * curve commands that require less parameters. If 'optimize' is true, this method detects such + * command sequences. + * @param[in] actions template methods called by each iteration step + * @param[in] optimize if true, shorthand drawing commands (sconicto, scubicto,...) are considered */ +template <typename T> +void GraphicPath<T>::iterate (Actions &actions, bool optimize) const { + ConstIterator prev = _commands.end(); // pointer to preceding command + Point fp; // first point of current path + Point cp; // current point + Point pstore[2]; + for (ConstIterator it=_commands.begin(); it != _commands.end() && !actions.quit(); ++it) { + const Point *params = it->params; + switch (it->type) { + case Command::MOVETO: + actions.moveto(params[0]); + actions.draw('M', params, 1); + fp = params[0]; + break; + case Command::LINETO: + if (optimize) { + if (cp.x() == params[0].x()) { + actions.vlineto(params[0].y()); + actions.draw('V', params, 1); + } + else if (cp.y() == params[0].y()) { + actions.hlineto(params[0].x()); + actions.draw('H', params, 1); + } + else { + actions.lineto(params[0]); + actions.draw('L', params, 1); + } + } + else { + actions.lineto(params[0]); + actions.draw('L', params, 1); + } + break; + case Command::CONICTO: + if (optimize && prev != _commands.end() && prev->type == Command::CONICTO && params[0] == pstore[1]*T(2)-pstore[0]) { + actions.sconicto(params[1]); + actions.draw('T', params+1, 1); + } + else { + actions.conicto(params[0], params[1]); + actions.draw('Q', params, 2); + } + pstore[0] = params[0]; // store control point and + pstore[1] = params[1]; // curve endpoint + break; + case Command::CUBICTO: + // is first control point reflection of preceding second control point? + if (optimize && prev != _commands.end() && prev->type == Command::CUBICTO && params[0] == pstore[1]*T(2)-pstore[0]) { + actions.scubicto(params[1], params[2]); + actions.draw('S', params+1, 2); + } + else { + actions.cubicto(params[0], params[1], params[2]); + actions.draw('C', params, 3); + } + pstore[0] = params[1]; // store second control point and + pstore[1] = params[2]; // curve endpoint + break; + case Command::CLOSEPATH: + actions.closepath(); + actions.draw('Z', params, 0); + cp = fp; + } + // update current point + const int np = it->numParams(); + if (np > 0) + cp = it->params[np-1]; + prev = it; + } + actions.finished(); +} + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/HtmlSpecialHandler.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/HtmlSpecialHandler.cpp new file mode 100644 index 00000000000..894c74db665 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/HtmlSpecialHandler.cpp @@ -0,0 +1,306 @@ +/************************************************************************* +** HtmlSpecialHandler.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <cassert> +#include <sstream> +#include "HtmlSpecialHandler.h" +#include "InputReader.h" +#include "Message.h" +#include "SVGTree.h" +#include "XMLNode.h" + +using namespace std; + +// variable to select the link marker variant (none, underlined, boxed, or colored background) +HtmlSpecialHandler::MarkerType HtmlSpecialHandler::MARKER_TYPE = HtmlSpecialHandler::MT_LINE; +Color HtmlSpecialHandler::LINK_BGCOLOR; +Color HtmlSpecialHandler::LINK_LINECOLOR; +bool HtmlSpecialHandler::USE_LINECOLOR = false; + + +void HtmlSpecialHandler::preprocess (const char *prefix, istream &is, SpecialActions *actions) { + if (!actions) + return; + _actions = actions; + StreamInputReader ir(is); + ir.skipSpace(); + // collect page number and ID of named anchors + map<string,string> attribs; + if (ir.check("<a ") && ir.parseAttributes(attribs, '"') > 0) { + map<string,string>::iterator it; + if ((it = attribs.find("name")) != attribs.end()) + preprocessNameAnchor(it->second); + else if ((it = attribs.find("href")) != attribs.end()) + preprocessHrefAnchor(it->second); + } +} + + +void HtmlSpecialHandler::preprocessNameAnchor (const string &name) { + NamedAnchors::iterator it = _namedAnchors.find(name); + if (it == _namedAnchors.end()) { // anchor completely undefined? + int id = _namedAnchors.size()+1; + _namedAnchors[name] = NamedAnchor(_actions->getCurrentPageNumber(), id, 0); + } + else if (it->second.id < 0) { // anchor referenced but not defined yet? + it->second.id *= -1; + it->second.pageno = _actions->getCurrentPageNumber(); + } + else + Message::wstream(true) << "named hyperref anchor '" << name << "' redefined\n"; +} + + +void HtmlSpecialHandler::preprocessHrefAnchor (const string &uri) { + if (uri[0] != '#') + return; + string name = uri.substr(1); + NamedAnchors::iterator it = _namedAnchors.find(name); + if (it != _namedAnchors.end()) // anchor already defined? + it->second.referenced = true; + else { + int id = _namedAnchors.size()+1; + _namedAnchors[name] = NamedAnchor(0, -id, 0, true); + } +} + + +bool HtmlSpecialHandler::process (const char *prefix, istream &is, SpecialActions *actions) { + if (!actions) + return true; + _actions = actions; + StreamInputReader ir(is); + ir.skipSpace(); + map<string,string> attribs; + map<string,string>::iterator it; + if (ir.check("<a ") && ir.parseAttributes(attribs, '"') > 0) { + if ((it = attribs.find("href")) != attribs.end()) // <a href="URI"> + processHrefAnchor(it->second); + else if ((it = attribs.find("name")) != attribs.end()) // <a name="ID"> + processNameAnchor(it->second); + else + return false; // none or only invalid attributes + } + else if (ir.check("</a>")) + closeAnchor(); + else if (ir.check("<img src=")) { + } + else if (ir.check("<base ") && ir.parseAttributes(attribs, '"') > 0 && (it = attribs.find("href")) != attribs.end()) + _base = it->second; + return true; +} + + +/** Handles anchors with href attribute: <a href="URI">...</a> + * @param uri value of href attribute */ +void HtmlSpecialHandler::processHrefAnchor (string uri) { + closeAnchor(); + string name; + if (uri[0] == '#') { // reference to named anchor? + name = uri.substr(1); + NamedAnchors::iterator it = _namedAnchors.find(name); + if (it == _namedAnchors.end() || it->second.id < 0) + Message::wstream(true) << "reference to undefined anchor '" << name << "'\n"; + else { + int id = it->second.id; + uri = "#loc"+XMLString(id); + if (_actions->getCurrentPageNumber() != it->second.pageno) { + ostringstream oss; + oss << _actions->getSVGFilename(it->second.pageno) << uri; + uri = oss.str(); + } + } + } + if (!_base.empty() && uri.find("://") != string::npos) { + if (*_base.rbegin() != '/' && uri[0] != '/' && uri[0] != '#') + uri = "/" + uri; + uri = _base + uri; + } + XMLElementNode *anchor = new XMLElementNode("a"); + anchor->addAttribute("xlink:href", uri); + anchor->addAttribute("xlink:title", XMLString(name.empty() ? uri : name, false)); + _actions->pushContextElement(anchor); + _actions->bbox("{anchor}", true); // start computing the bounding box of the linked area + _depthThreshold = _actions->getDVIStackDepth(); + _anchorType = AT_HREF; +} + + +/** Handles anchors with name attribute: <a name="NAME">...</a> + * @param name value of name attribute */ +void HtmlSpecialHandler::processNameAnchor (const string &name) { + closeAnchor(); + NamedAnchors::iterator it = _namedAnchors.find(name); + assert(it != _namedAnchors.end()); + it->second.pos = _actions->getY(); + _anchorType = AT_NAME; +} + + +/** Handles the closing tag (</a> of the current anchor element. */ +void HtmlSpecialHandler::closeAnchor () { + if (_anchorType == AT_HREF) { + markLinkedBox(); + _actions->popContextElement(); + _depthThreshold = 0; + } + _anchorType = AT_NONE; +} + + +/** Marks a single rectangular area of the linked part of the document with a line or + * a box so that it's noticeable by the user. Additionally, an invisible rectangle is + * placed over this area in order to avoid flickering of the mouse cursor when moving + * it over the hyperlinked area. */ +void HtmlSpecialHandler::markLinkedBox () { + const BoundingBox &bbox = _actions->bbox("{anchor}"); + if (bbox.width() > 0 && bbox.height() > 0) { // does the bounding box extend in both dimensions? + if (MARKER_TYPE != MT_NONE) { + const double linewidth = min(0.5, bbox.height()/15); + XMLElementNode *rect = new XMLElementNode("rect"); + double x = bbox.minX(); + double y = bbox.maxY()+linewidth; + double w = bbox.width(); + double h = linewidth; + const Color &linecolor = USE_LINECOLOR ? LINK_LINECOLOR : _actions->getColor(); + if (MARKER_TYPE == MT_LINE) + rect->addAttribute("fill", linecolor.rgbString()); + else { + x -= linewidth; + y = bbox.minY()-linewidth; + w += 2*linewidth; + h += bbox.height()+linewidth; + if (MARKER_TYPE == MT_BGCOLOR) { + rect->addAttribute("fill", LINK_BGCOLOR.rgbString()); + if (USE_LINECOLOR) { + rect->addAttribute("stroke", linecolor.rgbString()); + rect->addAttribute("stroke-width", linewidth); + } + } + else { // LM_BOX + rect->addAttribute("fill", "none"); + rect->addAttribute("stroke", linecolor.rgbString()); + rect->addAttribute("stroke-width", linewidth); + } + } + rect->addAttribute("x", x); + rect->addAttribute("y", y); + rect->addAttribute("width", w); + rect->addAttribute("height", h); + _actions->prependToPage(rect); + if (MARKER_TYPE == MT_BOX || MARKER_TYPE == MT_BGCOLOR) { + // slightly enlarge the boxed area + x -= linewidth; + y -= linewidth; + w += 2*linewidth; + h += 2*linewidth; + } + _actions->embed(BoundingBox(x, y, x+w, y+h)); + } + // Create an invisible rectangle around the linked area so that it's easier to access. + // This is only necessary when using paths rather than real text elements together with fonts. + if (!SVGTree::USE_FONTS) { + XMLElementNode *rect = new XMLElementNode("rect"); + rect->addAttribute("x", bbox.minX()); + rect->addAttribute("y", bbox.minY()); + rect->addAttribute("width", bbox.width()); + rect->addAttribute("height", bbox.height()); + rect->addAttribute("fill", "white"); + rect->addAttribute("fill-opacity", 0); + _actions->appendToPage(rect); + } + } +} + + +/** This method is called every time the DVI position changes. */ +void HtmlSpecialHandler::dviMovedTo (double x, double y) { + if (_actions && _anchorType != AT_NONE) { + // Start a new box if the current depth of the DVI stack underruns + // the initial threshold which indicates a line break. + if (_actions->getDVIStackDepth() < _depthThreshold) { + markLinkedBox(); + _depthThreshold = _actions->getDVIStackDepth(); + _actions->bbox("{anchor}", true); // start a new box on the new line + } + } +} + + +void HtmlSpecialHandler::dviEndPage (unsigned pageno) { + if (_actions) { + // create views for all collected named anchors defined on the recent page + const BoundingBox &pagebox = _actions->bbox(); + for (NamedAnchors::iterator it=_namedAnchors.begin(); it != _namedAnchors.end(); ++it) { + if (it->second.pageno == pageno && it->second.referenced) { // current anchor referenced? + ostringstream oss; + oss << pagebox.minX() << ' ' << it->second.pos << ' ' + << pagebox.width() << ' ' << pagebox.height(); + XMLElementNode *view = new XMLElementNode("view"); + view->addAttribute("id", "loc"+XMLString(it->second.id)); + view->addAttribute("viewBox", oss.str()); + _actions->appendToDefs(view); + } + } + closeAnchor(); + _actions = 0; + } +} + + +/** Sets the appearance of the link markers. + * @param[in] marker string specifying the marker (format: type[:linecolor]) + * @return true on success */ +bool HtmlSpecialHandler::setLinkMarker (const string &marker) { + string type; // "none", "box", "line", or a background color specifier + string color; // optional line color specifier + size_t seppos = marker.find(":"); + if (seppos == string::npos) + type = marker; + else { + type = marker.substr(0, seppos); + color = marker.substr(seppos+1); + } + if (type.empty() || type == "none") + MARKER_TYPE = MT_NONE; + else if (type == "line") + MARKER_TYPE = MT_LINE; + else if (type == "box") + MARKER_TYPE = MT_BOX; + else { + if (!LINK_BGCOLOR.setName(type, false)) + return false; + MARKER_TYPE = MT_BGCOLOR; + } + USE_LINECOLOR = false; + if (MARKER_TYPE != MT_NONE && !color.empty()) { + if (!LINK_LINECOLOR.setName(color, false)) + return false; + USE_LINECOLOR = true; + } + return true; +} + + +const char** HtmlSpecialHandler::prefixes () const { + static const char *pfx[] = {"html:", 0}; + return pfx; +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/HtmlSpecialHandler.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/HtmlSpecialHandler.h new file mode 100644 index 00000000000..4c5893c0306 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/HtmlSpecialHandler.h @@ -0,0 +1,79 @@ +/************************************************************************* +** HtmlSpecialHandler.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_HTMLSPECIALHANDLER_H +#define DVISVGM_HTMLSPECIALHANDLER_H + +#include <map> +#include <string> +#include "Color.h" +#include "SpecialHandler.h" + +struct SpecialActions; + +class HtmlSpecialHandler : public SpecialHandler, public DVIEndPageListener, public DVIPositionListener +{ + struct NamedAnchor { + NamedAnchor () : pageno(0), id(0), pos(0), referenced(false) {} + NamedAnchor (unsigned pn, int i, double p, bool r=false) : pageno(pn), id(i), pos(p), referenced(r) {} + unsigned pageno; ///< page number where the anchor is located + int id; ///< unique numerical ID (< 0 if anchor is undefined yet) + double pos; ///< vertical position of named anchor (in PS point units) + bool referenced; ///< true if a reference to this anchor exists + }; + + enum AnchorType {AT_NONE, AT_HREF, AT_NAME}; + typedef std::map<std::string, NamedAnchor> NamedAnchors; + + public: + HtmlSpecialHandler () : _actions(0), _anchorType(AT_NONE), _depthThreshold(0) {} + void preprocess(const char *prefix, std::istream &is, SpecialActions *actions); + bool process (const char *prefix, std::istream &is, SpecialActions *actions); + const char* name () const {return "html";} + const char* info () const {return "hyperref specials";} + const char** prefixes () const; + + static bool setLinkMarker (const std::string &marker); + + protected: + void preprocessHrefAnchor (const std::string &uri); + void preprocessNameAnchor (const std::string &name); + void processHrefAnchor (std::string uri); + void processNameAnchor (const std::string &name); + void dviEndPage (unsigned pageno); + void dviMovedTo (double x, double y); + void closeAnchor (); + void markLinkedBox (); + + enum MarkerType {MT_NONE, MT_LINE, MT_BOX, MT_BGCOLOR}; + static MarkerType MARKER_TYPE; ///< selects how to mark linked areas + static Color LINK_BGCOLOR; ///< background color if linkmark type == LT_BGCOLOR + static Color LINK_LINECOLOR; ///< line color if linkmark type is LM_LINE or LM_BOX + static bool USE_LINECOLOR; ///< if true, LINK_LINECOLOR is applied + + private: + SpecialActions *_actions; + AnchorType _anchorType; ///< type of active anchor + int _depthThreshold; ///< break anchor box if the DVI stack depth underruns this threshold + std::string _base; ///< base URL that is prepended to all relative targets + NamedAnchors _namedAnchors; ///< information about all named anchors processed +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/InputBuffer.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/InputBuffer.cpp new file mode 100644 index 00000000000..acf19e2f1c2 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/InputBuffer.cpp @@ -0,0 +1,138 @@ +/************************************************************************* +** InputBuffer.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <cmath> +#include <cstring> +#include "InputBuffer.h" + +using namespace std; + + +StreamInputBuffer::StreamInputBuffer (istream &is, size_t bufsize) + : _is(is), _bufsize(bufsize), _buf1(new UInt8[_bufsize]), _buf2(new UInt8[_bufsize]), _bufptr(_buf1) +{ + _size1 = fillBuffer(_buf1); + _size2 = fillBuffer(_buf2); +} + + +StreamInputBuffer::~StreamInputBuffer () { + delete [] _buf1; + delete [] _buf2; +} + + +int StreamInputBuffer::get () { + if (pos() == _size1) { + if (_size2 == 0) + return -1; + swap(_buf1, _buf2); + _size1 = _size2; + _bufptr = _buf1; + _size2 = fillBuffer(_buf2); + } + UInt8 c = *_bufptr++; + return c; +} + + +/** Returns the next character to be read without skipping it. + * Same as peek(0). */ +int StreamInputBuffer::peek () const { + if (pos() < _size1) + return *_bufptr; + return _size2 > 0 ? *_buf2 : -1; +} + + +/** Returns the n-th next character without skipping it. */ +int StreamInputBuffer::peek (size_t n) const { + if (pos()+n < _size1) + return *(_bufptr+n); + if (pos()+n < _size1+_size2) + return *(_buf2 + pos()+n-_size1); + return -1; +} + + +/** Fills the buffer by reading a sequence of characters from the assigned + * input stream. + * @param[in] buf pointer to character buffer to be filled + * @return number of characters read */ +int StreamInputBuffer::fillBuffer (UInt8 *buf) { + if (_is && !_is.eof()) { + _is.read((char*)buf, _bufsize); + return _is.gcount(); + } + return 0; +} + +/////////////////////////////////////////////// + +SplittedCharInputBuffer::SplittedCharInputBuffer (const char *buf1, size_t s1, const char *buf2, size_t s2) { + _buf[0] = buf1; + _buf[1] = buf2; + _size[0] = buf1 ? s1 : 0; + _size[1] = buf2 ? s2 : 0; + _index = _size[0] ? 0 : 1; +} + + +int SplittedCharInputBuffer::get () { + if (_size[_index] == 0) + return -1; + int ret = *_buf[_index]++; + _size[_index]--; + if (_index == 0 && _size[0] == 0) + _index++; + return ret; +} + + +int SplittedCharInputBuffer::peek () const { + return _size[_index] ? *_buf[_index] : -1; +} + + +int SplittedCharInputBuffer::peek (size_t n) const { + if (n < _size[_index]) + return _buf[_index][n]; + n -= _size[_index]; + if (_index == 0 && n < _size[1]) + return _buf[1][n]; + return -1; +} + +/////////////////////////////////////////////// + + +int TextStreamInputBuffer::get () { + int c = StreamInputBuffer::get(); + if (c == '\n') { + _line++; + _col = 1; + } + else + _col++; + return c; +} + + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/InputBuffer.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/InputBuffer.h new file mode 100644 index 00000000000..35ea9401a6e --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/InputBuffer.h @@ -0,0 +1,145 @@ +/************************************************************************* +** InputBuffer.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_INPUTBUFFER_H +#define DVISVGM_INPUTBUFFER_H + +#include <algorithm> +#include <cstring> +#include <istream> +#include <string> +#include <ostream> +#include "types.h" + +struct InputBuffer +{ + virtual ~InputBuffer () {} + virtual int get () =0; + virtual int peek () const =0; + virtual int peek (size_t n) const =0; + virtual bool eof () const =0; + virtual void invalidate () =0; +}; + + +class StreamInputBuffer : public InputBuffer +{ + public: + StreamInputBuffer (std::istream &is, size_t bufsize=1024); + ~StreamInputBuffer (); + int get (); + int peek () const; + int peek (size_t n) const; + bool eof () const {return pos() == _size1 && _size2 == 0;} + void invalidate () {_bufptr = _buf1+_size1; _size2 = 0;} + + protected: + int fillBuffer (UInt8 *buf); + size_t pos () const {return _bufptr-_buf1;} + + private: + std::istream &_is; + const size_t _bufsize; ///< maximal number of bytes each buffer can hold + UInt8 *_buf1; ///< pointer to first buffer + UInt8 *_buf2; ///< pointer to second buffer + size_t _size1; ///< number of bytes in buffer 1 + size_t _size2; ///< number of bytes in buffer 2 + UInt8 *_bufptr; ///< pointer to next byte to read +}; + + +class StringInputBuffer : public InputBuffer +{ + public: + StringInputBuffer (const std::string &str) : _str(str), _pos(0) {} + int get () {return _pos < _str.length() ? _str[_pos++] : -1;} + int peek () const {return _pos < _str.length() ? _str[_pos] : -1;} + int peek (size_t n) const {return _pos+n < _str.length() ? _str[_pos+n] : -1;} + bool eof () const {return _pos >= _str.length();} + void invalidate () {_pos = _str.length();} + + private: + const std::string &_str; + size_t _pos; +}; + + +class CharInputBuffer : public InputBuffer +{ + public: + CharInputBuffer (const char *buf, size_t size) : _pos(buf), _size(buf ? size : 0) {} + + int get () { + if (_size == 0) + return -1; + else { + _size--; + return *_pos++; + } + } + + + void assign (const char *buf, size_t size) { + _pos = buf; + _size = size; + } + + void assign (const char *buf) {assign(buf, std::strlen(buf));} + int peek () const {return _size > 0 ? *_pos : -1;} + int peek (size_t n) const {return _size >= n ? _pos[n] : -1;} + bool eof () const {return _size == 0;} + void invalidate () {_size = 0;} + + private: + const char *_pos; + size_t _size; +}; + + +class SplittedCharInputBuffer : public InputBuffer +{ + public: + SplittedCharInputBuffer (const char *buf1, size_t s1, const char *buf2, size_t s2); + int get (); + int peek () const; + int peek (size_t n) const; + bool eof () const {return _size[_index] == 0;} + void invalidate () {_size[_index] = 0;} + + private: + const char *_buf[2]; + size_t _size[2]; + int _index; +}; + + +class TextStreamInputBuffer : public StreamInputBuffer +{ + public: + TextStreamInputBuffer (std::istream &is) : StreamInputBuffer(is), _line(1), _col(1) {} + int get (); + int line () const {return _line;} + int col () const {return _col;} + + private: + int _line, _col; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/InputReader.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/InputReader.cpp new file mode 100644 index 00000000000..cfe46f9d87f --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/InputReader.cpp @@ -0,0 +1,349 @@ +/************************************************************************* +** InputReader.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <cmath> +#include <functional> +#include <vector> +#include "InputReader.h" + +using namespace std; + + +/** Skips n characters. */ +void InputReader::skip (size_t n) { + while (n-- > 0) + get(); +} + + +/** Moves the buffer pointer to the next non-space character. A following call + * of get() returns this character. */ +void InputReader::skipSpace () { + while (isspace(peek())) + get(); +} + + +/** Tries to find a given string and skips all characters preceding that string. + * @param[in] s string to look for (must not be longer than the maximal buffer size) + * @param[in] consume if true, the buffer pointer is moved to the first character following string s + * @return true if s was found */ +bool InputReader::skipUntil (const char *s, bool consume) { + bool found = false; + while (!eof() && !(found = check(s, consume))) + get(); + return found; +} + + +/** Looks for the first occurrence of a given character. + * @param[in] c character to lookup + * @return position of character relative to current location, -1 if character was not found */ +int InputReader::find (char c) const { + int pos = 0; + int cc; + while ((cc = peek(pos)) >= 0 && cc != c) + pos++; + return cc < 0 ? -1 : pos; +} + + +/** Checks if the next characters to be read match a given string. + * @param[in] s string to be matched + * @param[in] consume if true, the characters of the matched string are skipped + * @return true if s matches */ +bool InputReader::check (const char *s, bool consume) { + size_t count = 0; + for (const char *p=s; *p; p++) { + if (peek(count++) != *p) + return false; + } + if (consume) + skip(count); + return true; +} + + +int InputReader::compare (const char *s, bool consume) { + size_t count = 0; + for (const char *p=s; *p; p++) { + int c = peek(count++); + if (c != *p) + return c < *p ? -1 : 1; + } + int c = peek(count); + if (c < 0 || !isspace(c)) + return 1; + if (consume) + skip(count); + return 0; +} + + +/** Reads an integer from the buffer. All characters that are part of + * the read integer constant are skipped. If this function returns false, + * the buffer pointer points to the same position as before the function call. + * @param[out] val contains the read integer value on success + * @param[in] accept_sign if false, only positive integers (without sign) are accepted + * @return true if integer could be read */ +bool InputReader::parseInt (int &val, bool accept_sign) { + val = 0; + int fac=1; + char sign; // explicitly given sign + if (accept_sign && ((sign = peek()) == '+' || sign == '-')) { + if (isdigit(peek(1))) { + get(); // skip sign + if (sign == '-') + fac = -1; + } + else + return false; + } + else if (!isdigit(peek())) + return false; + + while (isdigit(peek())) + val = val*10 + (get()-'0'); + val *= fac; + return true; +} + + +bool InputReader::parseUInt (unsigned &val) { + val = 0; + if (!isdigit(peek())) + return false; + while (isdigit(peek())) + val = val*10 + (get()-'0'); + return true; +} + + +bool InputReader::parseInt (int base, int &val) { + if (base < 2 || base > 32) + return false; + + const char *digits = "0123456789abcdefghijklmnopqrstuvwxyz"; + const char maxdigit = digits[base-1]; + char c; + if (!isalnum(c = tolower(peek())) || c > maxdigit) + return false; + + val = 0; + while (isalnum(c = tolower(peek())) && c <= maxdigit) { + get(); + int digit = c - (c <= '9' ? '0' : 'a'-10); + val = val*base + digit; + } + return true; +} + + +/** Reads a double from the buffer. All characters that are part of + * the read double constant are skipped. If this function returns false, + * the buffer pointer points to the same position as before the function call. + * @param[out] val contains the read double value on success + * @return number details: 0=no number, 'i'=integer, 'f'=floating point number */ +char InputReader::parseDouble (double &val) { + int fac=1; + int int_part=0; + bool is_float = false; + skipSpace(); + char sign = peek(); + if (parseInt(int_part)) { // match [+-]?[0-9]+\.? + if (peek() == '.') { + get(); + is_float = true; + } + if (int_part < 0 || sign == '-') { + fac = -1; + int_part = -int_part; + } + } + else { // match [+-]?\. + char sign; // explicitly given sign + if ((sign = peek()) == '+' || sign == '-') { // match [+-]?\.[0-9] + if (peek(1) != '.' || !isdigit(peek(2))) + return 0; + if (sign == '-') + fac = -1; + skip(2); // skip sign and dot + } + else if (peek() == '.' && isdigit(peek(1))) + get(); + else + return 0; + is_float = true; + } + // parse fractional part + double frac_part=0.0; + for (double u=10; isdigit(peek()); u*=10) + frac_part += (get()-'0')/u; + val = (int_part + frac_part) * fac; + // parse exponent + char c; + if (tolower(peek()) == 'e' && (isdigit(c=peek(1)) || ((c == '+' || c == '-') && isdigit(peek(2))))) { + get(); // skip 'e' + int exp; + parseInt(exp); + val *= pow(10.0, exp); + is_float = true; + } + return is_float ? 'f' : 'i'; +} + + +/** Reads an integer value from the buffer. If no valid integer constant + * could be found at the current position 0 is returned. */ +int InputReader::getInt () { + skipSpace(); + int val; + return parseInt(val) ? val : 0; +} + + +/** Reads an double value from the buffer. If no valid double constant + * could be found at the current position 0 is returned. */ +double InputReader::getDouble () { + skipSpace(); + double val; + return parseDouble(val) ? val : 0.0; +} + + +/** Reads a string that consists of alphabetic letters only. Reading stops as + * soon as a non-alphabetic character is found or EOF is reached. */ +string InputReader::getWord () { + string ret; + skipSpace(); + while (isalpha(peek())) + ret += get(); + return ret; +} + + +/** Reads a single punctuation character. + * @return the read character or 0 if there's no punctuation character at the current position */ +char InputReader::getPunct () { + skipSpace(); + if (ispunct(peek())) + return get(); + return 0; +} + + +/** Reads a string delimited by a given quotation character. + * Before reading the string, all leading whitespace is skipped. Then, the function checks + * for the given quotation character. If it is found, all characters until the second + * appearance of the quotation char are appended to the result. Otherwise, an empty string + * is returned. If the quotation character is 0, the behavior of this function is identical to + * a call of getString(). + * @param[in] quotechar the quotation character bounding the string to be read + * @return the string read */ +string InputReader::getQuotedString (char quotechar) { + if (quotechar == 0) + return getString(); + + string ret; + skipSpace(); + if (peek() == quotechar) { + get(); + while (!eof() && peek() != quotechar) + ret += get(); + get(); + } + return ret; +} + + +/** Reads a string delimited by whitespace and/or invisible characters. + * Before reading the string, all leading whitespace is skipped. Then, the function adds + * all printable characters to the result until a whitespace, an unprintable character, or + * EOF is found. + * @return the string read */ +string InputReader::getString () { + string ret; + skipSpace(); + while (!eof() && !isspace(peek()) && isprint(peek())) + ret += get(); + return ret; +} + + +/** Reads a given number of characters and returns the resulting string. + * @param n number of character to read + * @return the string read */ +string InputReader::getString (size_t n) { + string ret; + while (n-- > 0) + ret += get(); + return ret; +} + + +string InputReader::getLine () { + string ret; + skipSpace(); + while (!eof() && peek() > 0 && peek() != '\n') + ret += get(); + // trim trailing whitespace + ret.erase(std::find_if(ret.rbegin(), ret.rend(), not1(ptr_fun<int, int>(isspace))).base(), ret.end()); + return ret; +} + + +/** Parses a sequence of key-value pairs of the form KEY=VALUE or KEY="VALUE" + * @param[out] attr the scanned atributes + * @param[in] quotechar quote character used to enclose the attribute values + * @return number of attributes scanned */ +int InputReader::parseAttributes (map<string,string> &attr, char quotechar) { + bool ready=false; + while (!eof() && !ready) { + string key; + skipSpace(); + while (isalnum(peek())) + key += get(); + skipSpace(); + if (peek() == '=') { + get(); + skipSpace(); + string val = getQuotedString(quotechar); + attr[key] = val; + } + else + ready = true; + } + return attr.size(); +} + +////////////////////////////////////////// + + +int StreamInputReader::peek (size_t n) const { + if (n == 0) + return peek(); + vector<char> chars(n); + _is.read(&chars[0], n); + int ret = peek(); + for (int i=n-1; i >= 0; i--) + _is.putback(chars[i]); + return ret; +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/InputReader.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/InputReader.h new file mode 100644 index 00000000000..5cf43b6142d --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/InputReader.h @@ -0,0 +1,90 @@ +/************************************************************************* +** InputReader.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_INPUTREADER_H +#define DVISVGM_INPUTREADER_H + +#include <istream> +#include <map> +#include <string> +#include "InputBuffer.h" + + +class InputReader +{ + public: + virtual ~InputReader() {} + virtual int get () =0; + virtual int peek () const =0; + virtual int peek (size_t n) const =0; + virtual bool eof () const =0; + virtual bool check (char c) const {return peek() == c;} + virtual bool check (const char *s, bool consume=true); + virtual int compare (const char *s, bool consume=true); + virtual void skip (size_t n); + virtual bool skipUntil (const char *s, bool consume=true); + virtual int find (char c) const; + virtual void skipSpace (); + virtual int getInt (); + virtual bool parseInt (int &val, bool accept_sign=true); + virtual bool parseInt (int base, int &val); + virtual bool parseUInt (unsigned &val); + virtual char parseDouble (double &val); + virtual double getDouble (); + virtual std::string getWord (); + virtual char getPunct (); + virtual std::string getQuotedString (char quotechar); + virtual std::string getString (); + virtual std::string getString (size_t n); + virtual std::string getLine (); + virtual int parseAttributes (std::map<std::string,std::string> &attr, char quotechar=0); + virtual operator bool () const {return !eof();} +}; + + +class StreamInputReader : public InputReader +{ + public: + StreamInputReader (std::istream &is) : _is(is) {} + int get () {return _is.get();} + int peek () const {return _is.peek();} + int peek (size_t n) const; + bool eof () const {return !_is || _is.eof();} + + private: + std::istream &_is; +}; + + +class BufferInputReader : public InputReader +{ + public: + BufferInputReader (InputBuffer &ib) : _ib(&ib) {} + void assign (InputBuffer &ib) {_ib = &ib;} + int get () {return _ib->get();} + int peek () const {return _ib->peek();} + int peek (size_t n) const {return _ib->peek(n);} + bool eof () const {return _ib->eof();} + + private: + InputBuffer *_ib; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/JFM.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/JFM.cpp new file mode 100644 index 00000000000..fb93b716d01 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/JFM.cpp @@ -0,0 +1,99 @@ +/************************************************************************* +** JFM.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <algorithm> +#include <cstring> +#include <fstream> +#include <sstream> +#include "JFM.h" +#include "StreamReader.h" + +using namespace std; + + +JFM::JFM (istream &is) { + is.seekg(0); + StreamReader sr(is); + UInt16 id = UInt16(sr.readUnsigned(2)); // JFM ID (9 or 11) + if (id != 9 && id != 11) { + ostringstream oss; + oss << "invalid JFM identifier " << id << " (9 or 11 expected)"; + throw FontMetricException(oss.str()); + } + _vertical = (id == 9); + UInt16 nt = UInt16(sr.readUnsigned(2)); // length of character type table + UInt16 lf = UInt16(sr.readUnsigned(2)); // length of entire file in 4 byte words + UInt16 lh = UInt16(sr.readUnsigned(2)); // length of header in 4 byte words + UInt16 bc = UInt16(sr.readUnsigned(2)); // smallest character code in font + UInt16 ec = UInt16(sr.readUnsigned(2)); // largest character code in font + UInt16 nw = UInt16(sr.readUnsigned(2)); // number of words in width table + UInt16 nh = UInt16(sr.readUnsigned(2)); // number of words in height table + UInt16 nd = UInt16(sr.readUnsigned(2)); // number of words in depth table + UInt16 ni = UInt16(sr.readUnsigned(2)); // number of words in italic corr. table + UInt16 nl = UInt16(sr.readUnsigned(2)); // number of words in glue/kern table + UInt16 nk = UInt16(sr.readUnsigned(2)); // number of words in kern table + UInt16 ng = UInt16(sr.readUnsigned(2)); // number of words in glue table + UInt16 np = UInt16(sr.readUnsigned(2)); // number of font parameter words + + if (7+nt+lh+(ec-bc+1)+nw+nh+nd+ni+nl+nk+ng+np != lf) + throw FontMetricException("inconsistent length values"); + + setCharRange(bc, ec); + readHeader(sr); + is.seekg(28+lh*4); + readTables(sr, nt, nw, nh, nd, ni); +} + + +void JFM::readTables (StreamReader &sr, int nt, int nw, int nh, int nd, int ni) { + // determine smallest charcode with chartype > 0 + UInt16 minchar=0xFFFF, maxchar=0; + for (int i=0; i < nt; i++) { + UInt16 c = (UInt16)sr.readUnsigned(2); + UInt16 t = (UInt16)sr.readUnsigned(2); + if (t > 0) { + minchar = min(minchar, c); + maxchar = max(maxchar, c); + } + } + // build charcode to chartype map + if (minchar <= maxchar) { + _minchar = minchar; + _charTypeTable.resize(maxchar-minchar+1); + memset(&_charTypeTable[0], 0, nt*sizeof(UInt16)); + sr.seek(-nt*4, ios::cur); + for (int i=0; i < nt; i++) { + UInt16 c = (UInt16)sr.readUnsigned(2); + UInt16 t = (UInt16)sr.readUnsigned(2); + if (c >= minchar) + _charTypeTable[c-minchar] = t; + } + } + TFM::readTables(sr, nw, nh, nd, ni); +} + + +int JFM::charIndex (int c) const { + UInt16 chartype = 0; + if (!_charTypeTable.empty() && c >= _minchar && size_t(c) < _minchar+_charTypeTable.size()) + chartype = _charTypeTable[c-_minchar]; + return TFM::charIndex(chartype); +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/JFM.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/JFM.h new file mode 100644 index 00000000000..e3a98e8e94c --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/JFM.h @@ -0,0 +1,44 @@ +/************************************************************************* +** JFM.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_JFM_H +#define DVISVGM_JFM_H + +#include <istream> +#include "TFM.h" + + +class JFM : public TFM +{ + public: + JFM (std::istream &is); + bool verticalLayout () const {return _vertical;} + + protected: + void readTables (StreamReader &sr, int nt, int nw, int nh, int nd, int ni); + int charIndex (int c) const; + + private: + UInt16 _minchar; ///< character code of first entry in character type table + bool _vertical; ///< true if metrics refer to vertical text layout + std::vector<UInt16> _charTypeTable; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Length.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Length.cpp new file mode 100644 index 00000000000..7ed0a4d1dfe --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Length.cpp @@ -0,0 +1,85 @@ +/************************************************************************* +** Length.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <sstream> +#include "InputReader.h" +#include "Length.h" + +#define UNIT(c1,c2) ((c1 << 8)|c2) + +using namespace std; + + +void Length::set (const string &len) { + switch (len.length()) { + case 0: + _pt = 0; + break; + case 1: + if (isdigit(len[0])) + _pt = len[0] - '0'; + else + throw UnitException("invalid length: "+len); + break; + default: + istringstream iss(len); + StreamInputReader ir(iss); + double val; + if (!ir.parseDouble(val)) + throw UnitException("invalid length: "+len); + string unit = ir.getWord(); + set(val, unit); + } +} + + +void Length::set (double val, Unit unit) { + switch (unit) { + case PT: _pt = val; break; + case BP: _pt = val*72.27/72; break; + case IN: _pt = val*72.27; break; + case CM: _pt = val/2.54*72.27; break; + case MM: _pt = val/25.4*72.27; break; + case PC: _pt = val/12*72.27; break; + } +} + + +void Length::set (double val, string unitstr) { + if (unitstr.empty()) + unitstr = "pt"; + else if (unitstr.length() != 2) + throw UnitException("invalid length unit: "+unitstr); + + Unit unit; + switch (UNIT(unitstr[0], unitstr[1])) { + case UNIT('p','t'): unit = PT; break; + case UNIT('b','p'): unit = BP; break; + case UNIT('i','n'): unit = IN; break; + case UNIT('c','m'): unit = CM; break; + case UNIT('m','m'): unit = MM; break; + case UNIT('p','c'): unit = PC; break; + default: + throw UnitException("invalid length unit: "+unitstr); + } + set(val, unit); +} + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Length.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Length.h new file mode 100644 index 00000000000..b4782cb8b23 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Length.h @@ -0,0 +1,62 @@ +/************************************************************************* +** Length.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_LENGTH_H +#define DVISVGM_LENGTH_H + +#include <string> +#include "MessageException.h" + +#ifdef IN +#undef IN +#endif + +struct UnitException : MessageException +{ + UnitException (const std::string &msg) : MessageException(msg) {} +}; + + +class Length +{ + public: + enum Unit {PT, BP, CM, MM, IN, PC}; + + public: + Length () : _pt(0) {} + Length (double val, Unit unit=PT) {set(val, unit);} + Length (double val, const std::string &unit) {set(val, unit);} + Length (const std::string &len) {set(len);} + void set (double val, Unit unit); + void set (double val, std::string unit); + void set (const std::string &len); + + double pt () const {return _pt;} + double in () const {return _pt/72.27;} + double bp () const {return in()*72;} + double cm () const {return in()*2.54;} + double mm () const {return cm()*10;} + double pc () const {return in()*12;} + + private: + double _pt; // length in TeX point units +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Makefile.am b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Makefile.am new file mode 100644 index 00000000000..837dd0cd633 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Makefile.am @@ -0,0 +1,233 @@ +:## This file is part of dvisvgm +## Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> +## +## Process this file with automake. + +bin_PROGRAMS = dvisvgm +noinst_LIBRARIES = libdvisvgm.a + +dvisvgm_SOURCES = gzstream.h \ + dvisvgm.cpp gzstream.cpp + +dvisvgm_LDADD = \ + $(noinst_LIBRARIES) \ + ../clipper/libclipper.a \ + ../xxHash/libxxhash.a \ + $(FREETYPE_LIBS) \ + $(ZLIB_LIBS) + +dvisvgm_DEPENDENCIES = $(noinst_LIBRARIES) + +libdvisvgm_a_SOURCES = \ + BasicDVIReader.cpp \ + BasicDVIReader.h \ + Bezier.cpp \ + Bezier.h \ + BgColorSpecialHandler.cpp \ + BgColorSpecialHandler.h \ + Bitmap.cpp \ + Bitmap.h \ + BoundingBox.cpp \ + BoundingBox.h \ + Calculator.cpp \ + Calculator.h \ + Character.h \ + CharMapID.cpp \ + CharMapID.h \ + CMap.cpp \ + CMap.h \ + CMapManager.cpp \ + CMapManager.h \ + CMapReader.cpp \ + CMapReader.h \ + CmdLineParserBase.cpp \ + CmdLineParserBase.h \ + Color.cpp \ + Color.h \ + ColorSpecialHandler.cpp \ + ColorSpecialHandler.h \ + CommandLine.cpp \ + CommandLine.h \ + CRC32.cpp \ + CRC32.h \ + DependencyGraph.h \ + Directory.cpp \ + Directory.h \ + DLLoader.cpp \ + DLLoader.h \ + DVIActions.h \ + DVIReader.cpp \ + DVIReader.h \ + DvisvgmSpecialHandler.cpp \ + DvisvgmSpecialHandler.h \ + DVIToSVG.cpp \ + DVIToSVG.h \ + DVIToSVGActions.cpp \ + DVIToSVGActions.h \ + EmSpecialHandler.cpp \ + EmSpecialHandler.h \ + EncFile.cpp \ + EncFile.h \ + EPSFile.cpp \ + EPSFile.h \ + EPSToSVG.cpp \ + EPSToSVG.h \ + FileFinder.cpp \ + FileFinder.h \ + FilePath.cpp \ + FilePath.h \ + FileSystem.cpp \ + FileSystem.h \ + Font.cpp \ + Font.h \ + FontCache.cpp \ + FontCache.h \ + FontEncoding.cpp \ + FontEncoding.h \ + FontEngine.cpp \ + FontEngine.h \ + FontManager.cpp \ + FontManager.h \ + FontMap.cpp \ + FontMap.h \ + FontMetrics.cpp \ + FontMetrics.h \ + FontStyle.h \ + GFGlyphTracer.cpp \ + GFGlyphTracer.h \ + GFReader.cpp \ + GFReader.h \ + GFTracer.cpp \ + GFTracer.h \ + Ghostscript.cpp \ + Ghostscript.h \ + Glyph.h \ + GlyphTracerMessages.h \ + GraphicPath.h \ + HtmlSpecialHandler.cpp \ + HtmlSpecialHandler.h \ + InputBuffer.cpp \ + InputBuffer.h \ + InputReader.cpp \ + InputReader.h \ + JFM.cpp \ + JFM.h \ + Length.cpp \ + Length.h \ + macros.h \ + MapLine.cpp \ + MapLine.h \ + Matrix.cpp \ + Matrix.h \ + Message.cpp \ + Message.h \ + MessageException.h \ + MetafontWrapper.cpp \ + MetafontWrapper.h \ + NoPsSpecialHandler.cpp \ + NoPsSpecialHandler.h \ + NumericRanges.h \ + PageRanges.cpp \ + PageRanges.h \ + PageSize.cpp \ + PageSize.h \ + Pair.h \ + PathClipper.cpp \ + PathClipper.h \ + PdfSpecialHandler.cpp \ + PdfSpecialHandler.h \ + PreScanDVIReader.cpp \ + PreScanDVIReader.h \ + Process.cpp \ + Process.h \ + psdefs.cpp \ + PSFilter.h \ + PSInterpreter.cpp \ + PSInterpreter.h \ + PSPattern.cpp \ + PSPattern.h \ + PSPreviewFilter.cpp \ + PSPreviewFilter.h \ + PsSpecialHandler.cpp \ + PsSpecialHandler.h \ + RangeMap.cpp \ + RangeMap.h \ + ShadingPatch.cpp \ + ShadingPatch.h \ + SignalHandler.cpp \ + SignalHandler.h \ + SpecialActions.h \ + SpecialHandler.h \ + SpecialManager.cpp \ + SpecialManager.h \ + StreamReader.cpp \ + StreamReader.h \ + StreamWriter.cpp \ + StreamWriter.h \ + Subfont.cpp \ + Subfont.h \ + SVGOutput.cpp \ + SVGOutput.h \ + SVGTree.cpp \ + SVGTree.h \ + System.cpp \ + System.h \ + TensorProductPatch.cpp \ + TensorProductPatch.h \ + Terminal.cpp \ + Terminal.h \ + TFM.cpp \ + TFM.h \ + ToUnicodeMap.cpp \ + ToUnicodeMap.h \ + TpicSpecialHandler.cpp \ + TpicSpecialHandler.h \ + TriangularPatch.cpp \ + TriangularPatch.h \ + types.h \ + Unicode.cpp \ + Unicode.h \ + VectorIterator.h \ + VectorStream.h \ + VFActions.h \ + VFReader.cpp \ + VFReader.h \ + XMLDocument.cpp \ + XMLDocument.h \ + XMLNode.cpp \ + XMLNode.h \ + XMLString.cpp \ + XMLString.h + +EXTRA_DIST = options.xml options.dtd iapi.h ierrors.h MiKTeXCom.h MiKTeXCom.cpp + +AM_CXXFLAGS = -Wall -Wnon-virtual-dtor \ + -I$(top_srcdir)/clipper \ + -I$(top_srcdir)/xxHash \ + $(FREETYPE_CFLAGS) \ + $(ZLIB_CFLAGS) \ + $(CODE_COVERAGE_CFLAGS) + +AM_LDFLAGS = $(CODE_COVERAGE_LDFLAGS) + +# the command-line parser is generated from options.xml by opt2cpp +$(srcdir)/CommandLine.cpp: options.xml + if test -f opt2cpp.xsl; then \ + rm -f $@ $*.h; \ + xsltproc opt2cpp.xsl $<; \ + elif test -f $(srcdir)/opt2cpp.py; then \ + rm -f $@ $*.h; \ + python2 $(srcdir)/opt2cpp.py $< $@ $*.h; \ + fi + +# Create a C string definition containing the PostScript routines psdefs.ps needed by class PSInterpreter +$(srcdir)/psdefs.cpp: psdefs.ps + if test -f $<; then \ + ps2c PSInterpreter::PSDEFS $< >$@; \ + fi + +psdefs.ps: ; + +@CODE_COVERAGE_RULES@ + +CLEANFILES = *.gcda *.gcno diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/MapLine.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/MapLine.cpp new file mode 100644 index 00000000000..d65649a4c34 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/MapLine.cpp @@ -0,0 +1,276 @@ +/************************************************************************* +** MapLine.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <cstring> +#include <sstream> +#include "InputBuffer.h" +#include "InputReader.h" +#include "MapLine.h" +#include "Subfont.h" + +using namespace std; + + +/** Constructs a MapLine object by parsing a single mapline from the given stream. */ +MapLine::MapLine (istream &is) + : _sfd(0), _fontindex(0), _slant(0), _bold(0), _extend(1) +{ + char buf[256]; + is.getline(buf, 256); + parse(buf); +} + + +// Some of the following functions have been derived from the dvipdfmx source file fontmap.c: +// http://cvs.ktug.or.kr/viewcvs/dvipdfmx/src/fontmap.c?revision=1.43&view=markup + + +/** Returns true if the given string is in dvips mapline format, and false if it's in dvipdfm format. + @param[in] line string to check */ +bool MapLine::isDVIPSFormat (const char *line) const { + if (strchr(line, '"') || strchr(line, '<')) // these chars are only present in dvips maps + return true; + char prevchar = ' '; + int entry_count=0; + for (const char *p=line; *p; ++p) { + if (isspace(prevchar)) { + if (*p == '-') // options starting with '-' are only present in dvipdfm map files + return false; + if (!isspace(*p)) + entry_count++; + } + prevchar = *p; + } + // tfm_name and ps_name only => dvips map + return entry_count == 2; +} + + +/** Separates main font name and subfont definition name from a given combined name. + * Example: "basename@sfdname@10" => {"basename10", "sfdname"} + * @param[in,out] fontname complete fontname; after separation: main fontname only + * @param[out] sfdname name of subfont definition + * @return true on success */ +static bool split_fontname (string &fontname, string &sfdname) { + size_t pos1; // index of first '@' + if ((pos1 = fontname.find('@')) != string::npos && pos1 > 0) { + size_t pos2; // index of second '@' + if ((pos2 = fontname.find('@', pos1+1)) != string::npos && pos2 > pos1+1) { + sfdname = fontname.substr(pos1+1, pos2-pos1-1); + fontname = fontname.substr(0, pos1) + fontname.substr(pos2+1); + return true; + } + } + return false; +} + + +/** Parses a single mapline and stores the scanned data in member variables. + * The line may either be given in dvips or dvipdfmx mapfile format. + * @param[in] line the mapline */ +void MapLine::parse (const char *line) { + CharInputBuffer ib(line, strlen(line)); + BufferInputReader ir(ib); + _texname = ir.getString(); + string sfdname; + split_fontname(_texname, sfdname); + if (!sfdname.empty()) + _sfd = SubfontDefinition::lookup(sfdname); + if (isDVIPSFormat(line)) + parseDVIPSLine(ir); + else + parseDVIPDFMLine(ir); +} + + +/** Parses a single line in dvips mapfile format. + * @param[in] ir the input stream must be assigned to this reader */ +void MapLine::parseDVIPSLine (InputReader &ir) { + ir.skipSpace(); + if (ir.peek() != '<' && ir.peek() != '"') + _psname = ir.getString(); + ir.skipSpace(); + while (ir.peek() == '<' || ir.peek() == '"') { + if (ir.peek() == '<') { + ir.get(); + if (ir.peek() == '[') + ir.get(); + string name = ir.getString(); + if (name.length() > 4 && name.substr(name.length()-4) == ".enc") + _encname = name.substr(0, name.length()-4); + else + _fontfname = name; + } + else { // ir.peek() == '"' => list of PS font operators + string options = ir.getQuotedString('"'); + StringInputBuffer sib(options); + BufferInputReader sir(sib); + while (!sir.eof()) { + double number; + if (sir.parseDouble(number)) { + // operator with preceding numeric parameter (value opstr) + string opstr = sir.getString(); + if (opstr == "SlantFont") + _slant = number; + else if (opstr == "ExtendFont") + _extend = number; + } + else { + // operator without parameter => skip for now + sir.getString(); + } + } + } + ir.skipSpace(); + } +} + + +static void throw_number_expected (char opt, bool integer_only=false) { + ostringstream oss; + oss << "option -" << opt << ": " << (integer_only ? "integer" : "floating point") << " value expected"; + throw MapLineException(oss.str()); +} + + +/** Parses a single line in dvipdfmx mapfile format. + * @param[in] ir the input stream must be assigned to this reader */ +void MapLine::parseDVIPDFMLine (InputReader &ir) { + ir.skipSpace(); + if (ir.peek() != '-') { + _encname = ir.getString(); + if (_encname == "default" || _encname == "none") + _encname.clear(); + } + ir.skipSpace(); + if (ir.peek() != '-') + _fontfname = ir.getString(); + if (!_fontfname.empty()) { + parseFilenameOptions(_fontfname); + } + ir.skipSpace(); + while (ir.peek() == '-') { + ir.get(); + char option = ir.get(); + if (!isprint(option)) + throw MapLineException("option character expected"); + ir.skipSpace(); + switch (option) { + case 's': // slant + if (!ir.parseDouble(_slant)) + throw_number_expected('s'); + break; + case 'e': // extend + if (!ir.parseDouble(_extend)) + throw_number_expected('e'); + break; + case 'b': // bold + if (!ir.parseDouble(_bold)) + throw_number_expected('b'); + break; + case 'r': //remap (deprecated) + break; + case 'i': // ttc index + if (!ir.parseInt(_fontindex, false)) + throw_number_expected('i', true); + break; + case 'p': // UCS plane + int dummy; + if (!ir.parseInt(dummy, false)) + throw_number_expected('p', true); + break; + case 'u': // to unicode + ir.getString(); + break; + case 'v': // stemV + int stemv; + if (!ir.parseInt(stemv, true)) + throw_number_expected('v', true); + break; + case 'm': // map single chars + ir.skipUntil("-"); + break; + case 'w': // writing mode (horizontal=0, vertical=1) + int vertical; + if (!ir.parseInt(vertical, false)) + throw_number_expected('w', true); + break; + default: + ostringstream oss; + oss << "invalid option: -" << option; + throw MapLineException(oss.str()); + } + ir.skipSpace(); + } +} + + +/** [:INDEX:][!]FONTNAME[/CSI][,VARIANT] */ +void MapLine::parseFilenameOptions (string fname) { + _fontfname = fname; + StringInputBuffer ib(fname); + BufferInputReader ir(ib); + if (ir.peek() == ':' && isdigit(ir.peek(1))) { // index given? + ir.get(); + _fontindex = ir.getInt(); // font index of file with multiple fonts + if (ir.peek() == ':') + ir.get(); + else + _fontindex = 0; + } + if (ir.peek() == '!') // no embedding + ir.get(); + + bool csi_given=false, style_given=false; + int pos; + if ((pos = ir.find('/')) >= 0) { // csi delimiter + csi_given = true; + _fontfname = ir.getString(pos); + } + else if ((pos = ir.find(',')) >= 0) { + style_given = true; + _fontfname = ir.getString(pos); + } + else + _fontfname = ir.getString(); + + if (csi_given) { + if ((pos = ir.find(',')) >= 0) { + style_given = true; + ir.getString(pos); // charcoll + } + else if (ir.eof()) + throw MapLineException("CSI specifier expected"); + else + ir.getString(); // charcoll + } + if (style_given) { + ir.get(); // skip ',' + if (ir.check("BoldItalic")) { + } + else if (ir.check("Bold")) { + } + else if (ir.check("Italic")) { + } + if (!ir.eof()) + throw MapLineException("invalid style given"); + } +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/MapLine.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/MapLine.h new file mode 100644 index 00000000000..ea3f92e526e --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/MapLine.h @@ -0,0 +1,72 @@ +/************************************************************************* +** MapLine.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_MAPLINE_H +#define DVISVGM_MAPLINE_H + +#include <istream> +#include <string> +#include "MessageException.h" + + +class InputReader; +class SubfontDefinition; + + +struct MapLineException : MessageException +{ + MapLineException (const std::string &msg) : MessageException(msg) {} +}; + + +class MapLine +{ + public: + MapLine (std::istream &is); + const std::string& texname () const {return _texname;} + const std::string& psname () const {return _psname;} + const std::string& fontfname () const {return _fontfname;} + const std::string& encname () const {return _encname;} + int fontindex () const {return _fontindex;} + double bold () const {return _bold;} + double slant () const {return _slant;} + double extend () const {return _extend;} + SubfontDefinition* sfd () const {return _sfd;} + + protected: + void init (); + bool isDVIPSFormat (const char *line) const; + void parse (const char *line); + void parseDVIPSLine (InputReader &ir); + void parseDVIPDFMLine (InputReader &ir); + void parseFilenameOptions (std::string opt); + + private: + std::string _texname; ///< TeX font name + std::string _psname; ///< PS font name + std::string _fontfname; ///< name of fontfile + std::string _encname; ///< name of encoding (without file suffix ".enc") + SubfontDefinition *_sfd; ///< subfont definition to be used + int _fontindex; ///< font index of file with multiple fonts (e.g. ttc files) + double _slant, _bold, _extend; +}; + + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Matrix.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Matrix.cpp new file mode 100644 index 00000000000..06537689c3f --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Matrix.cpp @@ -0,0 +1,491 @@ +/************************************************************************* +** Matrix.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#define _USE_MATH_DEFINES +#include <config.h> +#include <algorithm> +#include <cmath> +#include <limits> +#include <sstream> +#include "Calculator.h" +#include "Matrix.h" +#include "XMLString.h" + +using namespace std; + + + +/** Computes the determinant of a given matrix */ +double det (const Matrix &m) { + double sum=0; + for (int i=0; i < 3; ++i) { + sum += m._values[0][i] * m._values[1][(i+1)%3] * m._values[2][(i+2)%3] + - m._values[0][2-i] * m._values[1][(4-i)%3] * m._values[2][(3-i)%3]; + } + return sum; +} + + +/** Computes the determinant of the 2x2 submatrix of m where a given + * row and column were removed. + * @param[in] m base matrix + * @param[in] row row to remove + * @param[in] col column to remove */ +double det (const Matrix &m, int row, int col) { + int c1 = (col+1)%3, c2 = (col+2)%3; + int r1 = (row+1)%3, r2 = (row+2)%3; + if (c1 > c2) + swap(c1, c2); + if (r1 > r2) + swap(r1, r2); + return m._values[r1][c1] * m._values[r2][c2] + - m._values[r1][c2] * m._values[r2][c1]; +} + + +static inline double deg2rad (double deg) { + return M_PI*deg/180.0; +} + + +/** Creates a diagonal matrix ((d,0,0),(0,d,0),(0,0,d)). + * @param[in] d value of diagonal elements */ +Matrix::Matrix (double d) { + set(d); +} + + +/** Creates the matrix ((v0,v1,v2),(v3,v4,v5),(v6,v7,v8)). + * Expects that array v consists of 'size' elements. If size is less than 9, the + * remaining matrix components will be set to those of the identity matrix. + * @param[in] v array containing the matrix components + * @param[in] size size of array v */ +Matrix::Matrix (double v[], unsigned size) { + set(v, size); +} + + +/** Creates the matrix ((v0,v1,v2),(v3,v4,v5),(v6,v7,v8)). + * If vector v has less than 9 elements, the remaining matrix components will be set to + * those of the identity matrix. + * @param[in] v array containing the matrix components + * @param[in] start use vector components start,...,start+8 */ +Matrix::Matrix (const std::vector<double> &v, int start) { + set(v, start); +} + + +Matrix::Matrix (const string &cmds, Calculator &calc) { + parse(cmds, calc); +} + + +Matrix& Matrix::set (double d) { + for (int i=0; i < 3; i++) + for (int j=0; j < 3; j++) + _values[i][j] = (i==j ? d : 0); + return *this; +} + + +Matrix& Matrix::set (double v[], unsigned size) { + size = min(size, 9u); + for (unsigned i=0; i < size; i++) + _values[i/3][i%3] = v[i]; + for (unsigned i=size; i < 9; i++) + _values[i/3][i%3] = (i%4 ? 0 : 1); + return *this; +} + + +/** Set matrix values ((v0,v1,v2),(v3,v4,v5),(v6,v7,v8)). + * If vector v has less than 9 elements, the remaining matrix components will be set to + * those of the identity matrix. + * @param[in] v array containing the matrix components + * @param[in] start use vector components start,...,start+8 */ +Matrix& Matrix::set (const vector<double> &v, int start) { + unsigned size = min((unsigned)v.size()-start, 9u); + for (unsigned i=0; i < size; i++) + _values[i/3][i%3] = v[i+start]; + for (unsigned i=size; i < 9; i++) + _values[i/3][i%3] = (i%4 ? 0 : 1); + return *this; +} + + +Matrix& Matrix::set(const string &cmds, Calculator &calc) { + parse(cmds, calc); + return *this; +} + + +Matrix& Matrix::translate (double tx, double ty) { + if (tx != 0 || ty != 0) { + TranslationMatrix t(tx, ty); + rmultiply(t); + } + return *this; +} + + +Matrix& Matrix::scale (double sx, double sy) { + if (sx != 1 || sy != 1) { + ScalingMatrix s(sx, sy); + rmultiply(s); + } + return *this; +} + + +/** Multiplies this matrix by ((cos d, -sin d, 0), (sin d, cos d, 0), (0,0,1)) that + * describes an anti-clockwise rotation by d degrees. + * @param[in] deg rotation angle in degrees */ +Matrix& Matrix::rotate (double deg) { + RotationMatrix r(deg); + rmultiply(r); + return *this; +} + + +Matrix& Matrix::xskewByAngle (double deg) { + if (fmod(fabs(deg)-90, 180) != 0) + return xskewByRatio(tan(deg2rad(deg))); + return *this; +} + + +Matrix& Matrix::xskewByRatio (double xyratio) { + if (xyratio != 0) { + double v[] = {1, xyratio}; + Matrix t(v, 2); + rmultiply(t); + } + return *this; +} + + +Matrix& Matrix::yskewByAngle (double deg) { + if (fmod(fabs(deg)-90, 180) != 0) + return yskewByRatio(tan(deg2rad(deg))); + return *this; +} + + +Matrix& Matrix::yskewByRatio (double xyratio) { + if (xyratio != 0) { + double v[] = {1, 0, 0, xyratio}; + Matrix t(v, 4); + rmultiply(t); + } + return *this; +} + + +Matrix& Matrix::flip (bool haxis, double a) { + double s = 1; + if (haxis) // mirror at horizontal axis? + s = -1; + double v[] = {-s, 0, (haxis ? 0 : 2*a), 0, s, (haxis ? 2*a : 0), 0, 0, 1}; + Matrix t(v); + rmultiply(t); + return *this; +} + + +/** Swaps rows and columns of the matrix. */ +Matrix& Matrix::transpose () { + for (int i=0; i < 3; i++) + for (int j=i+1; j < 3; j++) + swap(_values[i][j], _values[j][i]); + return *this; +} + + +/** Multiplies this matrix M with matrix tm (tm is the factor on the left side): M := tm * M */ +Matrix& Matrix::lmultiply (const Matrix &tm) { + Matrix ret; + for (int i=0; i < 3; i++) + for (int j=0; j < 3; j++) + for (int k=0; k < 3; k++) + ret._values[i][j] += _values[i][k] * tm._values[k][j]; + return *this = ret; +} + + +/** Multiplies this matrix M with matrix tm (tm is the factor on the right side): M := M * tm */ +Matrix& Matrix::rmultiply (const Matrix &tm) { + Matrix ret; + for (int i=0; i < 3; i++) + for (int j=0; j < 3; j++) + for (int k=0; k < 3; k++) + ret._values[i][j] += tm._values[i][k] * _values[k][j]; + return *this = ret; +} + + +Matrix& Matrix::invert () { + Matrix ret; + if (double denom = det(*this)) { + for (int i=0; i < 3; ++i) { + for (int j=0; j < 3; ++j) { + ret._values[i][j] = det(*this, i, j)/denom; + if ((i+j)%2 != 0) + ret._values[i][j] *= -1; + } + } + return *this = ret; + } + throw exception(); +} + + +Matrix& Matrix::operator *= (double c) { + for (int i=0; i < 3; i++) + for (int j=0; j < 3; j++) + _values[i][j] *= c; + return *this; +} + + +DPair Matrix::operator * (const DPair &p) const { + double pp[] = {p.x(), p.y(), 1}; + double ret[]= {0, 0}; + for (int i=0; i < 2; i++) + for (int j=0; j < 3; j++) + ret[i] += _values[i][j] * pp[j]; + return DPair(ret[0], ret[1]); +} + + +/** Returns true if this matrix equals. Checks equality by comparing the matrix components. */ +bool Matrix::operator == (const Matrix &m) const { + for (int i=0; i < 2; i++) + for (int j=0; j < 3; j++) + if (_values[i][j] != m._values[i][j]) + return false; + return true; +} + + +/** Returns true if this matrix doesn't equal m. Checks inequality by comparing the matrix components. */ +bool Matrix::operator != (const Matrix &m) const { + for (int i=0; i < 2; i++) + for (int j=0; j < 3; j++) + if (_values[i][j] != m._values[i][j]) + return true; + return false; +} + + +/** Returns true if this matrix is the identity matrix ((1,0,0),(0,1,0),(0,0,1)). */ +bool Matrix::isIdentity() const { + for (int i=0; i < 2; i++) + for (int j=0; j < 3; j++) { + const double &v = _values[i][j]; + if ((i == j && v != 1) || (i != j && v != 0)) + return false; + } + return true; +} + + +/** Checks whether this matrix describes a plain translation (without any other transformations). + * If so, the parameters tx and ty are filled with the translation components. + * @param[out] tx horizontal translation + * @param[out] ty vertical translation + * @return true if matrix describes a pure translation */ +bool Matrix::isTranslation (double &tx, double &ty) const { + tx = _values[0][2]; + ty = _values[1][2]; + for (int i=0; i < 3; i++) + for (int j=0; j < 2; j++) { + const double &v = _values[i][j]; + if ((i == j && v != 1) || (i != j && v != 0)) + return false; + } + return _values[2][2] == 1; +} + + +/** Gets a parameter for the transformation command. + * @param[in] is parameter chars are read from this stream + * @param[in] calc parameters can be arithmetic expressions, so we need a calculator to evaluate them + * @param[in] def default value if parameter is optional + * @param[in] optional true if parameter is optional + * @param[in] leadingComma true if first non-blank must be a comma + * @return value of argument */ +static double getArgument (istream &is, Calculator &calc, double def, bool optional, bool leadingComma) { + while (isspace(is.peek())) + is.get(); + if (!optional && leadingComma && is.peek() != ',') + throw ParserException("',' expected"); + if (is.peek() == ',') { + is.get(); // skip comma + optional = false; // now we expect a parameter + } + string expr; + while (is && !isupper(is.peek()) && is.peek() != ',') + expr += (char)is.get(); + if (expr.length() == 0) { + if (optional) + return def; + else + throw ParserException("parameter expected"); + } + return calc.eval(expr); +} + + +Matrix& Matrix::parse (istream &is, Calculator &calc) { + *this = Matrix(1); + while (is) { + while (isspace(is.peek())) + is.get(); + int cmd = is.get(); + switch (cmd) { + case 'T': { + double tx = getArgument(is, calc, 0, false, false); + double ty = getArgument(is, calc, 0, true, true); + translate(tx, ty); + break; + } + case 'S': { + double sx = getArgument(is, calc, 1, false, false); + double sy = getArgument(is, calc, sx, true, true ); + scale(sx, sy); + break; + } + case 'R': { + double a = getArgument(is, calc, 0, false, false); + double x = getArgument(is, calc, calc.getVariable("ux")+calc.getVariable("w")/2, true, true); + double y = getArgument(is, calc, calc.getVariable("uy")+calc.getVariable("h")/2, true, true); + translate(-x, -y); + rotate(a); + translate(x, y); + break; + } + case 'F': { + int c = is.get(); + if (c != 'H' && c != 'V') + throw ParserException("'H' or 'V' expected"); + double a = getArgument(is, calc, 0, false, false); + flip(c == 'H', a); + break; + } + case 'K': { + int c = is.get(); + if (c != 'X' && c != 'Y') + throw ParserException("transformation command 'K' must be followed by 'X' or 'Y'"); + double a = getArgument(is, calc, 0, false, false); + if (fabs(cos(deg2rad(a))) <= numeric_limits<double>::epsilon()) { + ostringstream oss; + oss << "illegal skewing angle: " << a << " degrees"; + throw ParserException(oss.str()); + } + if (c == 'X') + xskewByAngle(a); + else + yskewByAngle(a); + break; + } + case 'M': { + double v[9]; + for (int i=0; i < 6; i++) + v[i] = getArgument(is, calc, i%4 ? 0 : 1, i!=0, i!=0); + // third row (0, 0, 1) + v[6] = v[7] = 0; + v[8] = 1; + Matrix tm(v); + rmultiply(tm); + break; + } + default: + ostringstream oss; + oss << "transformation command expected (found '" << cmd << "' instead)"; + throw ParserException(oss.str()); + } + } + return *this; +} + + +Matrix& Matrix::parse (const string &cmds, Calculator &calc) { + istringstream iss; + iss.str(cmds); + return parse(iss, calc); +} + + +/** Returns an SVG matrix expression that can be used in transform attributes. + * ((a,b,c),(d,e,f),(0,0,1)) => matrix(a d b e c f) */ +string Matrix::getSVG () const { + ostringstream oss; + oss << "matrix("; + for (int i=0; i < 3; i++) { + for (int j=0; j < 2; j++) { + if (i > 0 || j > 0) + oss << ' '; + oss << XMLString(_values[j][i]); + } + } + oss << ')'; + return oss.str(); +} + + +ostream& Matrix::write (ostream &os) const { + os << '('; + for (int i=0; i < 3; i++) { + os << '(' << _values[i][0]; + for (int j=1; j < 3; j++) + os << ',' << _values[i][j]; + os << ')'; + if (i < 2) + os << ','; + } + os << ')'; + return os; +} + + +////////////////////////////////////////////////////////////////// + + +TranslationMatrix::TranslationMatrix (double tx, double ty) { + double v[] = {1, 0, tx, 0, 1, ty}; + set(v, 6); +} + + +ScalingMatrix::ScalingMatrix (double sx, double sy) { + double v[] = {sx, 0, 0, 0, sy}; + set(v, 5); +} + + +RotationMatrix::RotationMatrix (double deg) { + double rad = deg2rad(deg); + double c = cos(rad); + double s = sin(rad); + double v[] = {c, -s, 0, s, c}; + set(v, 5); +} + + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Matrix.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Matrix.h new file mode 100644 index 00000000000..02b94299fd5 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Matrix.h @@ -0,0 +1,108 @@ +/************************************************************************* +** Matrix.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_MATRIX_H +#define DVISVGM_MATRIX_H + +#include <istream> +#include <string> +#include <vector> +#include "MessageException.h" +#include "Pair.h" + + +struct ParserException : public MessageException +{ + ParserException (const std::string &msg) : MessageException(msg) {} +}; + +class Calculator; + +class Matrix +{ + friend double det (const Matrix &m); + friend double det (const Matrix &m, int row, int col); + + public: + Matrix (const std::string &cmds, Calculator &calc); + Matrix (double d=0); + Matrix (double v[], unsigned size=9); + Matrix (const std::vector<double> &v, int start=0); + Matrix& set (double d); + Matrix& set (double v[], unsigned size); + Matrix& set (const std::vector<double> &v, int start=0); + Matrix& set (const std::string &cmds, Calculator &calc); + double get (int row, int col) const {return _values[row][col];} + Matrix& transpose (); + Matrix& invert (); + Matrix& parse (std::istream &is, Calculator &c); + Matrix& parse (const std::string &cmds, Calculator &c); + Matrix& lmultiply (const Matrix &tm); + Matrix& rmultiply (const Matrix &tm); + Matrix& translate (double tx, double ty); + Matrix& scale (double sx, double sy); + Matrix& rotate (double deg); + Matrix& xskewByAngle (double deg); + Matrix& yskewByAngle (double deg); + Matrix& xskewByRatio (double xyratio); + Matrix& yskewByRatio (double xyratio); + Matrix& flip (bool h, double a); + Matrix& operator *= (double c); + DPair operator * (const DPair &p) const; + bool operator == (const Matrix &m) const; + bool operator != (const Matrix &m) const; + bool isIdentity() const; + bool isTranslation (double &tx, double &ty) const; + std::string getSVG () const; + std::ostream& write (std::ostream &os) const; + + private: + double _values[3][3]; // row x col +}; + + +struct TranslationMatrix : public Matrix +{ + TranslationMatrix (double tx, double ty); +}; + + +struct ScalingMatrix : public Matrix +{ + ScalingMatrix (double sx, double sy); +}; + + +struct RotationMatrix : public Matrix +{ + RotationMatrix (double deg); +}; + + +inline std::ostream& operator << (std::ostream &os, const Matrix &m) { + return m.write(os); +} + + +double det (const Matrix &m); +double det (const Matrix &m, int row, int col); + + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Message.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Message.cpp new file mode 100644 index 00000000000..17b9b526f9e --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Message.cpp @@ -0,0 +1,274 @@ +/************************************************************************* +** Message.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <cstdarg> +#include <cstdlib> +#include <cstring> +#include <iostream> +#include <map> +#include "Message.h" +#include "Terminal.h" + +using namespace std; + +MessageStream::MessageStream () : _os(0), _nl(false), _col(1), _indent(0) { +} + + +MessageStream::MessageStream (std::ostream &os) + : _os(&os), _nl(true), _col(1), _indent(0) +{ + Terminal::init(os); +} + + +MessageStream::~MessageStream () { + if (_os && Message::COLORIZE) + Terminal::finish(*_os); +} + + +void MessageStream::putChar (const char c, ostream &os) { + switch (c) { + case '\r': + os << '\r'; + _nl = true; + _col = 1; + return; + case '\n': + if (!_nl) { + _col = 1; + _nl = true; + os << '\n'; + } + return; + default: + if (_nl) { + os << string(_indent, ' '); + _col += _indent; + } + else { + const int cols = Terminal::columns(); + if (cols > 0 && _col >= cols) { +#ifndef __WIN32__ + // move cursor to next line explicitly (not necessary in Windows/DOS terminal) + os << '\n'; +#endif + os << string(_indent, ' '); + _col = _indent+1; + } + else + _col++; + } + _nl = false; + if (!_nl || c != '\n') + os << c; + } +} + + +MessageStream& MessageStream::operator << (const char *str) { + if (_os && str) { + const char *first = str; + while (*first) { + const char *last = strchr(first, '\n'); + if (!last) + last = first+strlen(first)-1; +#ifndef __WIN32__ + // move cursor to next line explicitly (not necessary in Windows/DOS terminal) + const int cols = Terminal::columns(); + int len = last-first+1; + if (cols > 0 && _col+len > cols && _indent+len <= cols) + putChar('\n', *_os); +#endif + while (first <= last) + putChar(*first++, *_os); + first = last+1; + } + } + return *this; +} + + +MessageStream& MessageStream::operator << (const char &c) { + if (_os) + putChar(c, *_os); + return *this; +} + + +void MessageStream::indent (bool reset) { + if (reset) + _indent = 0; + _indent += 2; +} + + +void MessageStream::outdent (bool all) { + if (all) + _indent = 0; + else if (_indent > 0) + _indent -= 2; +} + + +void MessageStream::clearline () { + if (_os) { + int cols = Terminal::columns(); + *_os << '\r' << string(cols ? cols-1 : 79, ' ') << '\r'; + _nl = true; + _col = 1; + } +} + +static MessageStream nullStream; +static MessageStream messageStream(cerr); + + +////////////////////////////// + +// maximal verbosity +int Message::LEVEL = Message::MESSAGES | Message::WARNINGS | Message::ERRORS; +bool Message::COLORIZE = false; +bool Message::_initialized = false; +Message::Color Message::_classColors[9]; + + +/** Returns the stream for usual messages. */ +MessageStream& Message::mstream (bool prefix, MessageClass mclass) { + init(); + MessageStream *ms = (LEVEL & MESSAGES) ? &messageStream : &nullStream; + if (COLORIZE && ms && ms->os()) { + Terminal::fgcolor(_classColors[mclass].foreground, *ms->os()); + Terminal::bgcolor(_classColors[mclass].background, *ms->os()); + } + if (prefix) + *ms << "\nMESSAGE: "; + return *ms; +} + + +/** Returns the stream for warning messages. */ +MessageStream& Message::wstream (bool prefix) { + init(); + MessageStream *ms = (LEVEL & WARNINGS) ? &messageStream : &nullStream; + if (COLORIZE && ms && ms->os()) { + Terminal::fgcolor(_classColors[MC_WARNING].foreground, *ms->os()); + Terminal::bgcolor(_classColors[MC_WARNING].background, *ms->os()); + } + if (prefix) + *ms << "\nWARNING: "; + return *ms; +} + + +/** Returns the stream for error messages. */ +MessageStream& Message::estream (bool prefix) { + init(); + MessageStream *ms = (LEVEL & ERRORS) ? &messageStream : &nullStream; + if (COLORIZE && ms && ms->os()) { + Terminal::fgcolor(_classColors[MC_ERROR].foreground, *ms->os()); + Terminal::bgcolor(_classColors[MC_ERROR].background, *ms->os()); + } + if (prefix) + *ms << "\nERROR: "; + return *ms; +} + + +static bool colorchar2int (char colorchar, int *val) { + colorchar = tolower(colorchar); + if (colorchar >= '0' && colorchar <= '9') + *val = int(colorchar-'0'); + else if (colorchar >= 'a' && colorchar <= 'f') + *val = int(colorchar-'a'+10); + else if (colorchar == '*') + *val = -1; + else + return false; + return true; +} + + +/** Initializes the Message class. Sets the colors for each message set. + * The colors can be changed via environment variable DVISVGM_COLORS. Its + * value must be a sequence of color entries of the form gg:BF where the + * two-letter ID gg specifies a message set, B the hex digit of the + * background, and F the hex digit of the foreground/text color. + * Color codes: + * - 1: red, 2: green, 4: blue + * - 0-7: dark colors + * - 8-F: light colors + * - *: default color + * Example: num:01 sets page number messages to red on black background */ +void Message::init () { + if (_initialized || !Message::COLORIZE) + return; + + // set default message colors + _classColors[MC_ERROR] = Color(Terminal::RED, true); + _classColors[MC_WARNING] = Color(Terminal::YELLOW); + _classColors[MC_PAGE_NUMBER] = Color(Terminal::BLUE, true); + _classColors[MC_PAGE_SIZE] = Color(Terminal::MAGENTA); + _classColors[MC_PAGE_WRITTEN] = Color(Terminal::GREEN); + _classColors[MC_STATE] = Color(Terminal::CYAN); + _classColors[MC_TRACING] = Color(Terminal::BLUE); + _classColors[MC_PROGRESS] = Color(Terminal::MAGENTA); + + if (const char *color_str = getenv("DVISVGM_COLORS")) { + map<string, MessageClass> classes; + classes["er"] = MC_ERROR; + classes["wn"] = MC_WARNING; + classes["pn"] = MC_PAGE_NUMBER; + classes["ps"] = MC_PAGE_SIZE; + classes["fw"] = MC_PAGE_WRITTEN; + classes["sm"] = MC_STATE; + classes["tr"] = MC_TRACING; + classes["pi"] = MC_PROGRESS; + const char *p=color_str; + + // skip leading whitespace + while (isspace(*p)) + ++p; + + // iterate over color assignments + while (strlen(p) >= 5) { + map<string, MessageClass>::iterator it = classes.find(string(p, 2)); + if (it != classes.end() && p[2] == '=') { + int bgcolor, fgcolor; + if (colorchar2int(p[3], &bgcolor) && colorchar2int(p[4], &fgcolor)) { + _classColors[it->second].background = bgcolor; + _classColors[it->second].foreground = fgcolor; + } + } + p += 5; + + // skip trailing characters in a malformed entry + while (!isspace(*p) && *p != ':' && *p != ';') + ++p; + // skip separation characters + while (isspace(*p) || *p == ':' || *p == ';') + ++p; + } + } + _initialized = true; +} + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Message.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Message.h new file mode 100644 index 00000000000..e9ab6bf116b --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Message.h @@ -0,0 +1,114 @@ +/************************************************************************* +** Message.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_MESSAGE_H +#define DVISVGM_MESSAGE_H + +#include <algorithm> +#include <string> +#include <ostream> +#include <sstream> +#include "Terminal.h" +#include "types.h" + + +class Message; + +class MessageStream +{ + friend class Message; + + public: + MessageStream (); + MessageStream (std::ostream &os); + ~MessageStream (); + + template <typename T> + MessageStream& operator << (const T &obj) { + std::ostringstream oss; + oss << obj; + (*this) << oss.str(); + return *this; + } + + MessageStream& operator << (const char *str); + MessageStream& operator << (const char &c); + MessageStream& operator << (const std::string &str) {return (*this) << str.c_str();} + + void indent (int level) {_indent = std::max(0, level*2);} + void indent (bool reset=false); + void outdent (bool all=false); + void clearline (); + + protected: + void putChar (const char c, std::ostream &os); + std::ostream* os () {return _os;} + + private: + std::ostream *_os; + bool _nl; ///< true if previous character was a newline + int _col; ///< current terminal column + int _indent; ///< indentation width (number of columns/characters) +}; + + +class Message +{ + struct Color { + Color () : foreground(-1), background(-1) {} + Color (Int8 fgcolor) : foreground(fgcolor), background(-1) {} + Color (Int8 fgcolor, bool light) : foreground(fgcolor + (light ? 8 : 0)), background(-1) {} + Color (Int8 fgcolor, Int8 bgcolor) : foreground(fgcolor), background(bgcolor) {} + Int8 foreground; + Int8 background; + }; + + public: + enum MessageClass { + MC_ERROR, + MC_WARNING, + MC_MESSAGE, + MC_PAGE_NUMBER, + MC_PAGE_SIZE, + MC_PAGE_WRITTEN, + MC_STATE, + MC_TRACING, + MC_PROGRESS, + }; + + public: + static MessageStream& mstream (bool prefix=false, MessageClass mclass=MC_MESSAGE); + static MessageStream& estream (bool prefix=false); + static MessageStream& wstream (bool prefix=false); + + enum {ERRORS=1, WARNINGS=2, MESSAGES=4}; + static int LEVEL; + static bool COLORIZE; + + protected: + static void init (); + + + private: + static Color _classColors[]; + static bool _initialized; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/MessageException.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/MessageException.h new file mode 100644 index 00000000000..c7a84b4b13c --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/MessageException.h @@ -0,0 +1,39 @@ +/************************************************************************* +** MessageException.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_MESSAGEEXCEPTION_H +#define DVISVGM_MESSAGEEXCEPTION_H + +#include <exception> +#include <string> + + +class MessageException : public std::exception +{ + public: + MessageException (const std::string &msg) : _message(msg) {} + virtual ~MessageException () throw() {} + const char* what () const throw() {return _message.c_str();} + + private: + std::string _message; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/MetafontWrapper.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/MetafontWrapper.cpp new file mode 100644 index 00000000000..42fcaa266b0 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/MetafontWrapper.cpp @@ -0,0 +1,134 @@ +/************************************************************************* +** MetafontWrapper.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <cstdlib> +#include <cctype> +#include <fstream> +#include <sstream> +#include "FileSystem.h" +#include "FileFinder.h" +#include "Message.h" +#include "MetafontWrapper.h" +#include "Process.h" +#include "SignalHandler.h" +#include "macros.h" + +using namespace std; + + +MetafontWrapper::MetafontWrapper (const string &fname) : _fontname(fname) +{ +} + + +/** Calls Metafont and evaluates the logfile. If a gf file was successfully + * generated the dpi value is stripped from the filename + * (e.g. cmr10.600gf => cmr10.gf). This makes life easier... + * @param[in] mode Metafont mode, e.g. "ljfour" + * @param[in] mag magnification factor + * @return true on success */ +bool MetafontWrapper::call (const string &mode, double mag) { + if (!FileFinder::lookup(_fontname+".mf")) + return false; // mf file not available => no need to call the "slow" Metafont + FileSystem::remove(_fontname+".gf"); + +#ifdef __WIN32__ +#ifdef TEXLIVEWIN32 + const char *mfname = "mf-nowin.exe"; +#else + const char *mfname = "mf.exe"; +#endif + const char *cmd = FileFinder::lookup(mfname, false); + if (!cmd) { + Message::estream(true) << "can't run Metafont (" << mfname << " not found)\n"; + return false; + } +#else + const char *cmd = "mf"; +#endif + ostringstream oss; + oss << "\"\\mode=" << mode << ";" + "mag:=" << mag << ";" + "batchmode;" + "input " << _fontname << "\""; + Message::mstream(false, Message::MC_STATE) << "\nrunning Metafont for " << _fontname << '\n'; + Process mf_process(cmd, oss.str().c_str()); + mf_process.run(); + + // try to read Metafont's logfile and get name of created GF file + ifstream ifs((_fontname+".log").c_str()); + if (ifs) { + char buf[128]; + while (ifs) { + ifs.getline(buf, 128); + string line = buf; + if (line.substr(0, 15) == "! Interruption.") + SignalHandler::instance().trigger(true); + if (line.substr(0, 17) == "Output written on") { + size_t pos = line.find("gf ", 18+_fontname.length()); + if (pos != string::npos) { + string gfname = line.substr(18, pos-16); // GF filename found + FileSystem::rename(gfname, _fontname+".gf"); + } + break; + } + } + } + ifstream gf((_fontname+".gf").c_str()); + return (bool)gf; +} + + +/** Calls Metafont if output files (tfm and gf) don't already exist. + * @param[in] mode Metafont mode to be used (e.g. 'ljfour') + * @param[in] mag magnification factor + * @return true on success */ +bool MetafontWrapper::make (const string &mode, double mag) { + ifstream tfm((_fontname+".tfm").c_str()); + ifstream gf((_fontname+".gf").c_str()); + if (gf && tfm) // @@ distinguish between gf and tfm + return true; + return call(mode, mag); +} + + +bool MetafontWrapper::success () const { + ifstream tfm((_fontname+".tfm").c_str()); + ifstream gf((_fontname+".gf").c_str()); + return tfm && gf; +} + + +/** Remove all files created by a Metafont call (tfm, gf, log). + * @param[in] keepGF if true, GF files won't be removed */ +void MetafontWrapper::removeOutputFiles (bool keepGF) { + removeOutputFiles(_fontname, keepGF); +} + + +/** Remove all files created by a Metafont call for a given font (tfm, gf, log). + * @param[in] fontname name of font whose temporary files should be removed + * @param[in] keepGF if true, GF files will be kept */ +void MetafontWrapper::removeOutputFiles (const string &fontname, bool keepGF) { + const char *ext[] = {"gf", "tfm", "log", 0}; + for (const char **p = keepGF ? ext+2 : ext; *p; ++p) + FileSystem::remove(fontname + "." + *p); +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/MetafontWrapper.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/MetafontWrapper.h new file mode 100644 index 00000000000..93266c5122e --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/MetafontWrapper.h @@ -0,0 +1,43 @@ +/************************************************************************* +** MetafontWrapper.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_METAFONTWRAPPER_H +#define DVISVGM_METAFONTWRAPPER_H + +#include <string> + + +struct FileFinder; + +class MetafontWrapper +{ + public: + MetafontWrapper (const std::string &fontname); + bool call (const std::string &mode, double mag); + bool make (const std::string &mode, double mag); + bool success () const; + void removeOutputFiles (bool keepGF=false); + static void removeOutputFiles (const std::string &fontname, bool keepGF=false); + + private: + std::string _fontname; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/MiKTeXCom.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/MiKTeXCom.cpp new file mode 100644 index 00000000000..bf43c038035 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/MiKTeXCom.cpp @@ -0,0 +1,114 @@ +/************************************************************************* +** MiKTeXCom.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <stdio.h> +#include <comdef.h> +#include <string> +#include "MessageException.h" +#include "MiKTeXCom.h" +#include "macros.h" + +using namespace std; + + +/** Constructs a COM object representing a MiKTeX session. */ +MiKTeXCom::MiKTeXCom () : _session(0) { + if (FAILED(CoInitialize(0))) + throw MessageException("COM library could not be initialized\n"); + // try to initialize the MiKTeX session object +#ifdef _MSC_VER + HRESULT hres = _session.CreateInstance(L"MiKTeX.Session"); +#elif defined(__WIN64__) + HRESULT hres = CoCreateInstance(CLSID_MiKTeXSession2_9, 0, CLSCTX_LOCAL_SERVER, IID_ISession2, (void**)&_session); +#else + HRESULT hres = CoCreateInstance(CLSID_MiKTeXSession2_9, 0, CLSCTX_INPROC_SERVER, IID_ISession2, (void**)&_session); +#endif + if (FAILED(hres)) { + CoUninitialize(); + throw MessageException("MiKTeX session could not be initialized"); + } +} + + +MiKTeXCom::~MiKTeXCom () { + if (_session) { +#ifdef _MSC_VER + _session.Release(); +#else + _session->Release(); +#endif + _session = 0; // prevent automatic call of Release() after CoUninitialize() + } + CoUninitialize(); +} + + +/** Returns the MiKTeX version number. */ +string MiKTeXCom::getVersion () { +#ifdef _MSC_VER + MiKTeXSetupInfo info = _session->GetMiKTeXSetupInfo(); +#else + MiKTeXSetupInfo info; + _session->GetMiKTeXSetupInfo(&info); +#endif + _bstr_t version = info.version; + return string(version); +} + + +/** Returns the path of the directory where the MiKTeX binaries are located. */ +string MiKTeXCom::getBinDir () { +#ifdef _MSC_VER + MiKTeXSetupInfo info = _session->GetMiKTeXSetupInfo(); +#else + MiKTeXSetupInfo info; + _session->GetMiKTeXSetupInfo(&info); +#endif + _bstr_t bindir = info.binDirectory; + return string(bindir); +} + + +/** Try to lookup a given file in the MiKTeX directory tree. + * @param[in] fname name of file to lookup + * @return path of the file or 0 if it can't be found */ +const char* MiKTeXCom::findFile (const char *fname) { + try { + _bstr_t path; + static string ret; +#ifdef _MSC_VER + HRESULT hres = _session->FindFile(fname, path.GetAddress()); + bool found = (hres != 0); +#else + VARIANT_BOOL found_var; + _session->FindFile(_bstr_t(fname), path.GetAddress(), &found_var); + bool found = (found_var == VARIANT_TRUE); +#endif + if (found) { + ret = _bstr_t(path); + return ret.c_str(); + } + return 0; + } + catch (_com_error &e) { + throw MessageException((const char*)e.Description()); + } +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/MiKTeXCom.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/MiKTeXCom.h new file mode 100644 index 00000000000..c278840c9c8 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/MiKTeXCom.h @@ -0,0 +1,52 @@ +/************************************************************************* +** MiKTeXCom.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_MIKTEXCOM_H +#define DVISVGM_MIKTEXCOM_H + +#include <string> + +#ifdef _MSC_VER +#import <MiKTeX209-session.tlb> +using namespace MiKTeXSession2_9; +#else +#include "miktex209-session.h" +#endif + + +class MiKTeXCom +{ + public: + MiKTeXCom (); + ~MiKTeXCom (); + std::string getBinDir (); + std::string getVersion (); + const char* findFile (const char* fname); + + private: +#ifdef _MSC_VER + ISession2Ptr _session; +#else + ISession2 *_session; +#endif +}; + + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/NoPsSpecialHandler.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/NoPsSpecialHandler.cpp new file mode 100644 index 00000000000..659cd81818b --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/NoPsSpecialHandler.cpp @@ -0,0 +1,46 @@ +/************************************************************************* +** NoPsSpecialHandler.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include "Message.h" +#include "NoPsSpecialHandler.h" + +using namespace std; + + +bool NoPsSpecialHandler::process (const char *prefix, istream &is, SpecialActions *actions) { + _count++; + return true; +} + + +void NoPsSpecialHandler::dviEndPage (unsigned pageno) { + if (_count > 0) { + string suffix = (_count > 1 ? "s" : ""); + Message::wstream(true) << _count << " PostScript special" << suffix << " ignored. The resulting SVG might look wrong.\n"; + _count = 0; + } +} + + +const char** NoPsSpecialHandler::prefixes () const { + static const char *pfx[] = {"header=", "psfile=", "PSfile=", "ps:", "ps::", "!", "\"", 0}; + return pfx; +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/NoPsSpecialHandler.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/NoPsSpecialHandler.h new file mode 100644 index 00000000000..5176d87a2a4 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/NoPsSpecialHandler.h @@ -0,0 +1,42 @@ +/************************************************************************* +** NoPsSpecialHandler.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_NOPSSPECIALHANDLER_H +#define DVISVGM_NOPSSPECIALHANDLER_H + +#include "SpecialHandler.h" + +class NoPsSpecialHandler : public SpecialHandler, public DVIEndPageListener +{ + public: + NoPsSpecialHandler () : _count(0) {} + bool process (const char *prefix, std::istream &is, SpecialActions *actions); + const char* name () const {return 0;} + const char* info () const {return 0;} + const char** prefixes () const; + + protected: + void dviEndPage (unsigned pageno); + + private: + unsigned _count; // number of PS specials skipped +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/NumericRanges.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/NumericRanges.h new file mode 100644 index 00000000000..34be8486fb2 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/NumericRanges.h @@ -0,0 +1,110 @@ +/************************************************************************* +** NumericRanges.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_NUMERICRANGES_H +#define DVISVGM_NUMERICRANGES_H + +#include <algorithm> +#include <list> +#include <utility> + +template <class T> +class NumericRanges +{ + public: + typedef std::pair<T,T> Range; + typedef std::list<Range> Container; + typedef typename Container::iterator Iterator; + typedef typename Container::const_iterator ConstIterator; + + public: + void addRange (T value) {addRange(value, value);} + void addRange (T first, T last); + bool valueExists (T value) const; + size_t size () const {return _ranges.size();} + ConstIterator begin () const {return _ranges.begin();} + ConstIterator end () const {return _ranges.end();} + const Container& ranges () const {return _ranges;} + + protected: + static bool isLess (const Range &r1, const Range &r2) {return r1.first < r2.first;} + + private: + Container _ranges; +}; + + +/** Adds a numeric range to the collection. + * @param[in] first left bound of new range + * @param[in] last right bound of new range */ +template <class T> +void NumericRanges<T>::addRange (T first, T last) { + if (first > last) + std::swap(first, last); + typename Container::iterator it = _ranges.begin(); + while (it != _ranges.end() && first > it->first+1 && first > it->second+1) + ++it; + if (it == _ranges.end() || last < it->first-1 || first > it->second+1) + it = _ranges.insert(it, Range(first, last)); + else if ((first < it->first && last >= it->first-1) || (first <= it->second+1 && last > it->second)) { + it->first = std::min(it->first, first); + it->second = std::max(it->second, last); + } + // merge adjacent ranges + if (it != _ranges.end()) { + typename Container::iterator l = it; + typename Container::iterator r = it; + if (l == _ranges.begin()) + l = _ranges.end(); + else + --l; + ++r; + bool l_modified = false; + bool r_modified = false; + if (l != _ranges.end() && l->second >= it->first-1) { + l->first = std::min(l->first, it->first); + l->second = std::max(l->second, it->second); + l_modified = true; + } + if (r != _ranges.end() && r->first <= it->second+1) { + r->first = std::min(r->first, it->first); + r->second = std::max(r->second, it->second); + r_modified = true; + } + if (l_modified || r_modified) { + _ranges.erase(it); + if (l_modified && r_modified && l->second >= r->first-1) { + l->first = std::min(l->first, r->first); + l->second = std::max(l->second, r->second); + _ranges.erase(r); + } + } + } +} + + +template <class T> +bool NumericRanges<T>::valueExists (T value) const { + ConstIterator it = std::lower_bound(_ranges.begin(), _ranges.end(), Range(value, 0), &isLess); + return (it != _ranges.end() && it->first <= value && it->second >= value); +} + + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PSFilter.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PSFilter.h new file mode 100644 index 00000000000..3b2a9391250 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PSFilter.h @@ -0,0 +1,41 @@ +/************************************************************************* +** PSFilter.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_PSFILTER_H +#define DVISVGM_PSFILTER_H + +class PSInterpreter; + +class PSFilter +{ + public: + PSFilter (PSInterpreter &psi) : _psi(psi) {} + virtual ~PSFilter () {} + virtual void execute (const char *code, size_t len) =0; + virtual bool active () const =0; + + protected: + PSInterpreter& psInterpreter () {return _psi;} + + private: + PSInterpreter &_psi; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PSInterpreter.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PSInterpreter.cpp new file mode 100644 index 00000000000..a297bd2bb9b --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PSInterpreter.cpp @@ -0,0 +1,359 @@ +/************************************************************************* +** PSInterpreter.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <cstring> +#include <fstream> +#include <iostream> +#include <sstream> +#include "FileFinder.h" +#include "InputReader.h" +#include "Message.h" +#include "PSFilter.h" +#include "PSInterpreter.h" +#include "SignalHandler.h" + +using namespace std; + + +const char *PSInterpreter::GSARGS[] = { + "gs", // dummy name + "-q", // be quiet, suppress gs banner + "-dSAFER", // disallow writing of files + "-dNODISPLAY", // we don't need a display device + "-dNOPAUSE", // keep going + "-dWRITESYSTEMDICT", // leave systemdict writable as some operators must be replaced + "-dNOPROMPT", +// "-dNOBIND", +}; + + +/** Constructs a new PSInterpreter object. + * @param[in] actions template methods to be executed after recognizing the corresponding PS operator. */ +PSInterpreter::PSInterpreter (PSActions *actions) + : _mode(PS_NONE), _actions(actions), _filter(0), _bytesToRead(0), _inError(false), _initialized(false) +{ +} + + +void PSInterpreter::init () { + if (!_initialized) { + _gs.init(sizeof(GSARGS)/sizeof(char*), GSARGS, this); + _gs.set_stdio(input, output, error); + _initialized = true; + // Before executing any random PS code redefine some operators and run + // initializing PS code. This cannot be done in the constructor because we + // need the completely initialized PSInterpreter object here. + execute(PSDEFS); + } +} + + +PSActions* PSInterpreter::setActions (PSActions *actions) { + PSActions *old_actions = _actions; + _actions = actions; + return old_actions; +} + + +/** Checks if the given status value returned by Ghostscript indicates an error. + * @param[in] status status value returned by Ghostscript after the execution of a PS snippet + * @throw PSException if the status value indicates a PostScript error */ +void PSInterpreter::checkStatus (int status) { + if (status < 0) { + _mode = PS_QUIT; + if (status < -100) + throw PSException("fatal error"); + if (_errorMessage.empty()) + throw PSException(_gs.error_name(status)); + throw PSException(_errorMessage); + } +} + + +/** Executes a chunk of PostScript code. + * @param[in] str buffer containing the code + * @param[in] len number of characters in buffer + * @param[in] flush If true, a final 'flush' is sent which forces the output buffer to be written immediately. + * @return true if the assigned number of bytes have been read */ +bool PSInterpreter::execute (const char *str, size_t len, bool flush) { + init(); + if (_mode == PS_QUIT) + return false; + + int status=0; + if (_mode == PS_NONE) { + _gs.run_string_begin(0, &status); + _mode = PS_RUNNING; + } + checkStatus(status); + + bool complete=false; + if (_bytesToRead > 0 && len >= _bytesToRead) { + len = _bytesToRead; + complete = true; + } + + if (_filter && _filter->active()) { + PSFilter *filter = _filter; + _filter = 0; // prevent recursion when filter calls execute() + filter->execute(str, len); + if (filter->active()) // filter still active after execution? + _filter = filter; + return complete; + } + + // feed Ghostscript with code chunks that are not larger than 64KB + // => see documentation of gsapi_run_string_foo() + const char *p=str; + while (PS_RUNNING && len > 0) { + SignalHandler::instance().check(); + size_t chunksize = min(len, (size_t)0xffff); + _gs.run_string_continue(p, chunksize, 0, &status); + p += chunksize; + len -= chunksize; + if (_bytesToRead > 0) + _bytesToRead -= chunksize; + if (status == -101) // e_Quit + _mode = PS_QUIT; + else + checkStatus(status); + } + if (flush) { + // force writing contents of output buffer + _gs.run_string_continue("\nflush ", 7, 0, &status); + } + return complete; +} + + +/** Executes a chunk of PostScript code read from a stream. The method returns on EOF. + * @param[in] is the input stream + * @param[in] flush If true, a final 'flush' is sent which forces the output buffer to be written immediately. + * @return true if the assigned number of bytes have been read */ +bool PSInterpreter::execute (istream &is, bool flush) { + char buf[4096]; + bool finished = false; + while (is && !is.eof() && !finished) { + is.read(buf, 4096); + finished = execute(buf, is.gcount(), false); + } + execute("\n", 1, flush); + return finished; +} + + +bool PSInterpreter::executeRaw (const string &str, int n) { + _rawData.clear(); + ostringstream oss; + oss << str << ' ' << n << " (raw) prcmd\n"; + execute(oss.str()); + return !_rawData.empty(); +} + + +/** This callback function handles input from stdin to Ghostscript. Currently not needed. + * @param[in] inst pointer to calling instance of PSInterpreter + * @param[in] buf takes the read characters + * @param[in] len size of buffer buf + * @return number of characters read */ +int GSDLLCALL PSInterpreter::input (void *inst, char *buf, int len) { + return 0; +} + + +/** This callback function handles output from Ghostscript to stdout. It looks for + * emitted commands staring with "dvi." and executes them by calling method callActions. + * Ghostscript sends the text in chunks by several calls of this function. + * Unfortunately, the PostScript specification wants error messages also to be sent to stdout + * instead of stderr. Thus, we must collect and concatenate the chunks until an evaluable text + * snippet is completely received. Furthermore, error messages have to be recognized and to be + * filtered out. + * @param[in] inst pointer to calling instance of PSInterpreter + * @param[in] buf contains the characters to be output + * @param[in] len number of characters in buf + * @return number of processed characters (equals 'len') */ +int GSDLLCALL PSInterpreter::output (void *inst, const char *buf, int len) { + PSInterpreter *self = static_cast<PSInterpreter*>(inst); + if (self && self->_actions) { + const size_t MAXLEN = 512; // maximal line length (longer lines are of no interest) + const char *end = buf+len-1; // last position of buf + for (const char *first=buf, *last=buf; first <= end; last++, first=last) { + // move first and last to begin and end of the next line, respectively + while (last < end && *last != '\n') + last++; + size_t linelength = last-first+1; + if (linelength > MAXLEN) // skip long lines since they don't contain any relevant information + continue; + + vector<char> &linebuf = self->_linebuf; // just a shorter name... + if ((*last == '\n' || !self->active()) || self->_inError) { + if (linelength + linebuf.size() > 1) { // prefix "dvi." plus final newline + SplittedCharInputBuffer ib(linebuf.empty() ? 0 : &linebuf[0], linebuf.size(), first, linelength); + BufferInputReader in(ib); + if (self->_inError) + self->_errorMessage += string(first, linelength); + else { + in.skipSpace(); + if (in.check("Unrecoverable error: ")) { + self->_errorMessage.clear(); + while (!in.eof()) + self->_errorMessage += in.get(); + self->_inError = true; + } + else if (in.check("dvi.")) + self->callActions(in); + } + } + linebuf.clear(); + } + else { // no line end found => + // save remaining characters and prepend them to the next incoming chunk of characters + if (linebuf.size() + linelength > MAXLEN) + linebuf.clear(); // don't care for long lines + else { + size_t currsize = linebuf.size(); + linebuf.resize(currsize+linelength); + memcpy(&linebuf[currsize], first, linelength); + } + } + } + } + return len; +} + + +/** Converts a vector of strings to a vector of doubles. + * @param[in] str the strings to be converted + * @param[out] d the resulting doubles */ +static void str2double (const vector<string> &str, vector<double> &d) { + for (size_t i=0; i < str.size(); i++) { + istringstream iss(str[i]); + iss >> d[i]; + } +} + + +/** Evaluates a command emitted by Ghostscript and invokes the corresponding + * method of interface class PSActions. + * @param[in] in reader pointing to the next command */ +void PSInterpreter::callActions (InputReader &in) { + // array of currently supported operators (must be ascendingly sorted) + static const struct Operator { + const char *name; // name of operator + int pcount; // number of parameters (< 0 : variable number of parameters) + void (PSActions::*op)(vector<double> &p); // operation handler + } operators [] = { + {"applyscalevals", 3, &PSActions::applyscalevals}, + {"clip", 0, &PSActions::clip}, + {"clippath", 0, &PSActions::clippath}, + {"closepath", 0, &PSActions::closepath}, + {"curveto", 6, &PSActions::curveto}, + {"eoclip", 0, &PSActions::eoclip}, + {"eofill", 0, &PSActions::eofill}, + {"fill", 0, &PSActions::fill}, + {"grestore", 0, &PSActions::grestore}, + {"grestoreall", 0, &PSActions::grestoreall}, + {"gsave", 0, &PSActions::gsave}, + {"initclip", 0, &PSActions::initclip}, + {"lineto", 2, &PSActions::lineto}, + {"makepattern", -1, &PSActions::makepattern}, + {"moveto", 2, &PSActions::moveto}, + {"newpath", 1, &PSActions::newpath}, + {"querypos", 2, &PSActions::querypos}, + {"raw", -1, 0}, + {"restore", 1, &PSActions::restore}, + {"rotate", 1, &PSActions::rotate}, + {"save", 1, &PSActions::save}, + {"scale", 2, &PSActions::scale}, + {"setcmykcolor", 4, &PSActions::setcmykcolor}, + {"setdash", -1, &PSActions::setdash}, + {"setgray", 1, &PSActions::setgray}, + {"sethsbcolor", 3, &PSActions::sethsbcolor}, + {"setlinecap", 1, &PSActions::setlinecap}, + {"setlinejoin", 1, &PSActions::setlinejoin}, + {"setlinewidth", 1, &PSActions::setlinewidth}, + {"setmatrix", 6, &PSActions::setmatrix}, + {"setmiterlimit", 1, &PSActions::setmiterlimit}, + {"setopacityalpha", 1, &PSActions::setopacityalpha}, + {"setpattern", -1, &PSActions::setpattern}, + {"setrgbcolor", 3, &PSActions::setrgbcolor}, + {"shfill", -1, &PSActions::shfill}, + {"stroke", 0, &PSActions::stroke}, + {"translate", 2, &PSActions::translate}, + }; + if (_actions) { + in.skipSpace(); + // binary search + int first=0, last=sizeof(operators)/sizeof(Operator)-1; + while (first <= last) { + int mid = first+(last-first)/2; + int cmp = in.compare(operators[mid].name); + if (cmp < 0) + last = mid-1; + else if (cmp > 0) + first = mid+1; + else { + if (!operators[mid].op) { // raw string data received + _rawData.clear(); + in.skipSpace(); + while (!in.eof()) { + _rawData.push_back(in.getString()); + in.skipSpace(); + } + } + else { + // collect parameters and call handler + vector<string> params; + int pcount = operators[mid].pcount; + if (pcount < 0) { // variable number of parameters? + in.skipSpace(); + while (!in.eof()) { // read all available parameters + params.push_back(in.getString()); + in.skipSpace(); + } + } + else { // fix number of parameters + for (int i=0; i < pcount; i++) { + in.skipSpace(); + params.push_back(in.getString()); + } + } + vector<double> v(params.size()); + str2double(params, v); + (_actions->*operators[mid].op)(v); + _actions->executed(); + } + break; + } + } + } +} + + +/** This callback function handles output from Ghostscript to stderr. + * @param[in] inst pointer to calling instance of PSInterpreter + * @param[in] buf contains the characters to be output + * @param[in] len number of chars in buf + * @return number of processed characters */ +int GSDLLCALL PSInterpreter::error (void *inst, const char *buf, int len) { + return len; +} + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PSInterpreter.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PSInterpreter.h new file mode 100644 index 00000000000..528e95ca83c --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PSInterpreter.h @@ -0,0 +1,129 @@ +/************************************************************************* +** PSInterpreter.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_PSINTERPRETER_H +#define DVISVGM_PSINTERPRETER_H + +#include <cstring> +#include <istream> +#include <string> +#include <vector> +#include "Ghostscript.h" +#include "InputReader.h" +#include "MessageException.h" + + +struct PSException : public MessageException +{ + PSException (const std::string &msg) : MessageException(msg) {} +}; + + +/** This interface provides the template methods called by PSInterpreter when executing a PS snippet. + * Each method corresponds to a PostScript operator of the same name. */ +struct PSActions +{ + virtual ~PSActions () {} + virtual void applyscalevals (std::vector<double> &p) =0; + virtual void clip (std::vector<double> &p) =0; + virtual void clippath (std::vector<double> &p) =0; + virtual void closepath (std::vector<double> &p) =0; + virtual void curveto (std::vector<double> &p) =0; + virtual void eoclip (std::vector<double> &p) =0; + virtual void eofill (std::vector<double> &p) =0; + virtual void fill (std::vector<double> &p) =0; + virtual void gsave (std::vector<double> &p) =0; + virtual void grestore (std::vector<double> &p) =0; + virtual void grestoreall (std::vector<double> &p) =0; + virtual void initclip (std::vector<double> &p) =0; + virtual void lineto (std::vector<double> &p) =0; + virtual void makepattern (std::vector<double> &p) =0; + virtual void moveto (std::vector<double> &p) =0; + virtual void newpath (std::vector<double> &p) =0; + virtual void querypos (std::vector<double> &p) =0; + virtual void restore (std::vector<double> &p) =0; + virtual void rotate (std::vector<double> &p) =0; + virtual void save (std::vector<double> &p) =0; + virtual void scale (std::vector<double> &p) =0; + virtual void setcmykcolor (std::vector<double> &cmyk) =0; + virtual void setdash (std::vector<double> &p) =0; + virtual void setgray (std::vector<double> &p) =0; + virtual void sethsbcolor (std::vector<double> &hsb) =0; + virtual void setlinecap (std::vector<double> &p) =0; + virtual void setlinejoin (std::vector<double> &p) =0; + virtual void setlinewidth (std::vector<double> &p) =0; + virtual void setmatrix (std::vector<double> &p) =0; + virtual void setmiterlimit (std::vector<double> &p) =0; + virtual void setopacityalpha (std::vector<double> &p) =0; + virtual void setpattern (std::vector<double> &p) =0; + virtual void setrgbcolor (std::vector<double> &rgb) =0; + virtual void shfill (std::vector<double> &rgb) =0; + virtual void stroke (std::vector<double> &p) =0; + virtual void translate (std::vector<double> &p) =0; + virtual void executed () {} // triggered if one of the above PS operators has been executed +}; + +class PSFilter; + +/** This class provides methods to execute chunks of PostScript code and calls + * several template methods on invocation of selected PS operators (see PSActions). */ +class PSInterpreter +{ + enum Mode {PS_NONE, PS_RUNNING, PS_QUIT}; + + public: + PSInterpreter (PSActions *actions=0); + bool execute (const char *str, size_t len, bool flush=true); + bool execute (const char *str, bool flush=true) {return execute(str, std::strlen(str), flush);} + bool execute (const std::string &str, bool flush=true) {return execute(str.c_str(), flush);} + bool execute (std::istream &is, bool flush=true); + bool executeRaw (const std::string &str, int n); + bool active () const {return _mode != PS_QUIT;} + void limit (size_t max_bytes) {_bytesToRead = max_bytes;} + void setFilter (PSFilter *filter) {_filter = filter;} + PSActions* setActions (PSActions *actions); + const std::vector<std::string>& rawData () const {return _rawData;} + + protected: + void init (); + // callback functions + static int GSDLLCALL input (void *inst, char *buf, int len); + static int GSDLLCALL output (void *inst, const char *buf, int len); + static int GSDLLCALL error (void *inst, const char *buf, int len); + + void checkStatus (int status); + void callActions (InputReader &cib); + + private: + Ghostscript _gs; + Mode _mode; ///< current execution mode + PSActions *_actions; ///< actions to be performed + PSFilter *_filter; ///< active filter used to process PS code + size_t _bytesToRead; ///< if > 0, maximal number of bytes to be processed by following calls of execute() + std::vector<char> _linebuf; + std::string _errorMessage; ///< text of error message + bool _inError; ///< true if scanning error message + bool _initialized; ///< true if PSInterpreter has been completely initialized + std::vector<std::string> _rawData; ///< raw data received + static const char *GSARGS[]; ///< parameters passed to Ghostscript + static const char *PSDEFS; ///< initial PostScript definitions +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PSPattern.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PSPattern.cpp new file mode 100644 index 00000000000..99c60c29827 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PSPattern.cpp @@ -0,0 +1,175 @@ +/************************************************************************* +** PSPattern.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <sstream> +#include <vector> +#include "BoundingBox.h" +#include "PSPattern.h" +#include "SpecialActions.h" +#include "SVGTree.h" +#include "XMLNode.h" + +using namespace std; + + +string PSPattern::svgID () const { + return XMLString("pat")+XMLString(_id); +} + + +/** Appends the definition of this pattern to the "def" section of the SVG tree. */ +void PSPattern::apply (SpecialActions *actions) { + if (XMLElementNode *pattern = createPatternNode()) + actions->appendToDefs(pattern); +} + + +///////////////////////////////////////////////////////////////////////////// + +PSTilingPattern::PSTilingPattern (int id, BoundingBox &bbox, Matrix &matrix, double xstep, double ystep) + : PSPattern(id), _bbox(bbox), _matrix(matrix), _xstep(xstep), _ystep(ystep), _groupNode(0) +{ + _groupNode = PSTilingPattern::createGroupNode(); +} + + +PSTilingPattern::~PSTilingPattern () { + delete _groupNode; +} + + +/** Creates a new pattern element representing the pattern defined in the PS code. */ +XMLElementNode* PSTilingPattern::createPatternNode () const { + if (!_groupNode) + return 0; + BoundingBox box(_bbox.minX(), _bbox.minY(), _bbox.minX()+_xstep, _bbox.minY()+_ystep); + XMLElementNode *pattern = new XMLElementNode("pattern"); + pattern->addAttribute("id", svgID()); + pattern->addAttribute("x", box.minX()); + pattern->addAttribute("y", box.minY()); + pattern->addAttribute("width", box.width()); + pattern->addAttribute("height", box.height()); + pattern->addAttribute("viewBox", box.toSVGViewBox()); + pattern->addAttribute("patternUnits", "userSpaceOnUse"); + if (!_matrix.isIdentity()) + pattern->addAttribute("patternTransform", _matrix.getSVG()); + if (_xstep < _bbox.width() || _ystep < _bbox.height()) { // overlapping tiles? + // disable clipping at the tile borders => tiles become "transparent" + pattern->addAttribute("overflow", "visible"); + } + if (XMLElementNode *clip=createClipNode()) + pattern->append(clip); + pattern->append(_groupNode); + return pattern; +} + + +/** Creates a new clip element restricting the drawing area to the + * dimensions given in the definition of the pattern. */ +XMLElementNode* PSTilingPattern::createClipNode() const { + XMLElementNode *clip = new XMLElementNode("clipPath"); + clip->addAttribute("id", "pc"+XMLString(psID())); + XMLElementNode *rect = new XMLElementNode("rect"); + rect->addAttribute("x", _bbox.minX()); + rect->addAttribute("y", _bbox.minY()); + rect->addAttribute("width", _bbox.width()); + rect->addAttribute("height", _bbox.height()); + clip->append(rect); + return clip; +} + + +/** Creates a new group element that contains all "drawing" elements that + * define the pattern graphic. */ +XMLElementNode* PSTilingPattern::createGroupNode () const { + // add all succeeding path elements to this group + XMLElementNode *group = new XMLElementNode("g"); + group->addAttribute("clip-path", XMLString("url(#pc")+XMLString(psID())+")"); + return group; +} + + +void PSTilingPattern::apply (SpecialActions *actions) { + PSPattern::apply(actions); + _groupNode = 0; +} + + +///////////////////////////////////////////////////////////////////////////// + +PSColoredTilingPattern::PSColoredTilingPattern (int id, BoundingBox &bbox, Matrix &matrix, double xstep, double ystep) + : PSTilingPattern(id, bbox, matrix, xstep, ystep) +{ +} + + +///////////////////////////////////////////////////////////////////////////// + +PSUncoloredTilingPattern::PSUncoloredTilingPattern (int id, BoundingBox &bbox, Matrix &matrix, double xstep, double ystep) + : PSTilingPattern(id, bbox, matrix, xstep, ystep), _applied(false) +{ +} + + +PSUncoloredTilingPattern::~PSUncoloredTilingPattern () { + if (_applied) + setGroupNode(0); // prevent deleting the group node in the parent destructor +} + + +/** Returns an SVG id value that identifies this pattern with the current color applied. */ +string PSUncoloredTilingPattern::svgID () const { + ostringstream oss; + oss << PSPattern::svgID() << '-' << hex << _currentColor; + return oss.str(); +} + + +/** Appends the definition of this pattern with the current color applied + * to the "def" section of the SVG tree. */ +void PSUncoloredTilingPattern::apply (SpecialActions* actions) { + set<Color>::iterator it=_colors.find(_currentColor); + if (it == _colors.end()) { + if (_applied) + setGroupNode(static_cast<XMLElementNode*>(getGroupNode()->clone())); + // assign current color to the pattern graphic + vector<XMLElementNode*> colored_elems; + const char *attribs[] = {"fill", "stroke"}; + for (int i=0; i < 2; i++) { + getGroupNode()->getDescendants(0, attribs[i], colored_elems); + for (vector<XMLElementNode*>::iterator it=colored_elems.begin(); it != colored_elems.end(); ++it) + if (string((*it)->getAttributeValue(attribs[i])) != "none") + (*it)->addAttribute(attribs[i], _currentColor.rgbString()); + colored_elems.clear(); + } + PSPattern::apply(actions); + _colors.insert(_currentColor); + _applied = true; + } +} + + +XMLElementNode* PSUncoloredTilingPattern::createClipNode() const { + // only the first instance of this patterns get a clip element + if (_colors.empty()) + return PSTilingPattern::createClipNode(); + return 0; +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PSPattern.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PSPattern.h new file mode 100644 index 00000000000..d394f5a65ab --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PSPattern.h @@ -0,0 +1,100 @@ +/************************************************************************* +** PSPattern.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_PSPATTERN_H +#define DVISVGM_PSPATTERN_H + +#include <set> +#include <string> +#include "BoundingBox.h" +#include "Color.h" +#include "Matrix.h" + + +struct SpecialActions; +class SVGTree; +class XMLElementNode; + +class PSPattern +{ + public: + virtual ~PSPattern () {} + virtual int psID () const {return _id;} + virtual std::string svgID () const; + virtual void apply (SpecialActions *actions); + + protected: + PSPattern (int id) : _id(id) {} + virtual XMLElementNode* createPatternNode () const =0; + + private: + int _id; ///< PostSCript ID of this pattern +}; + + +class PSTilingPattern : public PSPattern +{ + public: + ~PSTilingPattern (); + virtual XMLElementNode* getContainerNode () {return _groupNode;} + void apply (SpecialActions *actions); + + protected: + PSTilingPattern (int id, BoundingBox &bbox, Matrix &matrix, double xstep, double ystep); + XMLElementNode* createPatternNode () const; + virtual XMLElementNode* createClipNode () const; + virtual XMLElementNode* createGroupNode () const; + virtual XMLElementNode* getGroupNode () const {return _groupNode;} + virtual void setGroupNode (XMLElementNode *node) {_groupNode = node;} + + private: + BoundingBox _bbox; ///< bounding box of the tile graphics + Matrix _matrix; ///< tile transformation + double _xstep, _ystep; ///< horizontal and vertical distance between neighboured tiles + XMLElementNode *_groupNode; ///< group containing the drawing elements +}; + + +class PSColoredTilingPattern : public PSTilingPattern +{ + public: + PSColoredTilingPattern (int id, BoundingBox &bbox, Matrix &matrix, double xstep, double ystep); +}; + + +class PSUncoloredTilingPattern : public PSTilingPattern +{ + public: + PSUncoloredTilingPattern (int id, BoundingBox &bbox, Matrix &matrix, double xstep, double ystep); + ~PSUncoloredTilingPattern (); + std::string svgID () const; + void setColor (Color color) {_currentColor = color;} + void apply (SpecialActions *actions); + + protected: + XMLElementNode* createClipNode () const; + + private: + std::set<Color> _colors; ///< colors this pattern has already been drawn with + Color _currentColor; ///< current color to be applied + bool _applied; ///< has pattern with current group node already been applied to the SVG tree? +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PSPreviewFilter.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PSPreviewFilter.cpp new file mode 100644 index 00000000000..5029874c681 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PSPreviewFilter.cpp @@ -0,0 +1,118 @@ +/************************************************************************* +** PSPreviewFilter.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <vector> +#include "InputBuffer.h" +#include "InputReader.h" +#include "PSInterpreter.h" +#include "PSPreviewFilter.h" +#include "SpecialActions.h" + + +using namespace std; + +PSPreviewFilter::PSPreviewFilter (PSInterpreter &psi) + : PSFilter(psi), _active(false), _tightpage(false), _dvi2bp(1.0/65536.0) +{ +} + + +/** Activates this filter so that the PS code will be redirected through it if + * it's hooked into the PSInterpreter. */ +void PSPreviewFilter::activate () { + if (_tightpage) // reactivate filter? + _active = true; + else { // first activation? + _tightpage = _active = false; + // try to retrieve version string of preview package set in the PS header section + if (psInterpreter().executeRaw("SDict begin currentdict/preview@version known{preview@version}{0}ifelse end", 1)) + _version = psInterpreter().rawData()[0]; + // check if tightpage option was set + if (_version != "0" && psInterpreter().executeRaw("SDict begin preview@tightpage end", 1)) { + _tightpage = (psInterpreter().rawData()[0] == "true"); + _active = true; + } + } + _boxExtents.clear(); +} + + +/** Tries to extract the bounding box information from a chunk of PostScript code. + * @param[in] code pointer to buffer with PS code to filter + * @param[in] len number of bytes in buffer */ +void PSPreviewFilter::execute (const char *code, size_t len) { + // If the "tightpage" option was set in the TeX file, 7 integers representing the + // extent of the bounding box are present at the begin of each page. + if (!_tightpage) + psInterpreter().execute(code, len); + else { + CharInputBuffer ib(code, len); + BufferInputReader ir(ib); + ir.skipSpace(); + int val; + while (ir.parseInt(val) && _boxExtents.size() <= 7) { + _boxExtents.push_back(val); + ir.skipSpace(); + } + } + _active = false; // no further processing required +} + + +/** Returns the bounding box defined by the preview package. */ +bool PSPreviewFilter::getBoundingBox (BoundingBox &bbox) const { + if (_boxExtents.size() < 7) + return false; + double left = -_boxExtents[0]*_dvi2bp; + bbox = BoundingBox(-left, -height(), width()-left, depth()); + return true; +} + + +/** Gets the 4 border values set by the preview package. + * @return true if the border data is available */ +bool PSPreviewFilter::getBorders (double &left, double &right, double &top, double &bottom) const { + if (_boxExtents.size() < 4) + return false; + left = -_boxExtents[0]*_dvi2bp; + top = -_boxExtents[1]*_dvi2bp; + right = _boxExtents[2]*_dvi2bp; + bottom = _boxExtents[3]*_dvi2bp; + return true; +} + + +/** Returns the box height in PS points, or -1 if no data was found or read yet. */ +double PSPreviewFilter::height () const { + return _boxExtents.size() > 4 ? (_boxExtents[4]-_boxExtents[1])*_dvi2bp : -1; +} + + +/** Returns the box depth in PS points, or -1 if no data was found or read yet. */ +double PSPreviewFilter::depth () const { + return _boxExtents.size() > 5 ? (_boxExtents[5]+_boxExtents[3])*_dvi2bp : -1; +} + + +/** Returns the box width in PS points, or -1 if no data was found or read yet. */ +double PSPreviewFilter::width () const { + return _boxExtents.size() > 6 ? (_boxExtents[6]+_boxExtents[2]-_boxExtents[0])*_dvi2bp : -1; +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PSPreviewFilter.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PSPreviewFilter.h new file mode 100644 index 00000000000..3e9f9ad2052 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PSPreviewFilter.h @@ -0,0 +1,56 @@ +/************************************************************************* +** PSPreviewFilter.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_PSPREVIEWFILTER_H +#define DVISVGM_PSPREVIEWFILTER_H + +#include <string> +#include <vector> +#include "BoundingBox.h" +#include "PSFilter.h" + +struct SpecialActions; + +class PSPreviewFilter : public PSFilter +{ + public: + PSPreviewFilter (PSInterpreter &psi); + void activate (); + void execute (const char *code, size_t len); + bool active () const {return _active;} + std::string version () const {return _version;} + bool tightpage () const {return _tightpage;} + void setDviScaleFactor (double dvi2bp) {_dvi2bp = dvi2bp;} + bool getBorders (double &left, double &right, double &top, double &bottom) const; + void assignBorders (BoundingBox &bbox) const; + bool getBoundingBox (BoundingBox &bbox) const; + double height () const; + double depth () const; + double width () const; + + private: + std::string _version; ///< version string of preview package + bool _active; ///< true if filter is active + bool _tightpage; ///< true if tightpage option was given + double _dvi2bp; ///< factor to convert dvi units to PS points + std::vector<int> _boxExtents; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PageRanges.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PageRanges.cpp new file mode 100644 index 00000000000..8e6339c72e8 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PageRanges.cpp @@ -0,0 +1,87 @@ +/************************************************************************* +** PageRanges.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <sstream> +#include "InputBuffer.h" +#include "InputReader.h" +#include "PageRanges.h" + +#include "macros.h" + +using namespace std; + + +/** Analyzes a string describing a range sequence. + * Syntax: ([0-9]+(-[0-9]*)?)|(-[0-9]+)(,([0-9]+(-[0-9]*)?)|(-[0-9]+))* + * @param[in] str string to parse + * @param[in] max_page greatest allowed value + * @return true on success; false denotes a syntax error */ +bool PageRanges::parse (string str, int max_page) { + StringInputBuffer ib(str); + BufferInputReader ir(ib); + while (ir) { + int first=1; + int last=max_page; + ir.skipSpace(); + if (!isdigit(ir.peek()) && ir.peek() != '-') + return false; + + if (isdigit(ir.peek())) + first = ir.getInt(); + ir.skipSpace(); + if (ir.peek() == '-') { + while (ir.peek() == '-') + ir.get(); + ir.skipSpace(); + if (isdigit(ir.peek())) + last = ir.getInt(); + } + else + last = first; + ir.skipSpace(); + if (ir.peek() == ',') { + ir.get(); + if (ir.eof()) + return false; + } + else if (!ir.eof()) + return false; + if (first > last) + swap(first, last); + first = max(1, first); + last = max(first, last); + if (max_page > 0) { + first = min(first, max_page); + last = min(last, max_page); + } + addRange(first, last); + } + return true; +} + + +/** Returns the number of pages. */ +size_t PageRanges::numberOfPages () const { + size_t sum=0; + for (NumericRanges<int>::ConstIterator it=begin(); it != end(); ++it) + sum += it->second - it->first + 1; + return sum; +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PageRanges.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PageRanges.h new file mode 100644 index 00000000000..0f5e2faafa3 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PageRanges.h @@ -0,0 +1,36 @@ +/************************************************************************* +** PageRanges.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_PAGERANGES_H +#define DVISVGM_PAGERANGES_H + +#include <list> +#include <string> +#include <utility> +#include "NumericRanges.h" + +class PageRanges : public NumericRanges<int> +{ + public: + bool parse (std::string str, int max_page=0); + size_t numberOfPages () const; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PageSize.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PageSize.cpp new file mode 100644 index 00000000000..d3e60571d06 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PageSize.cpp @@ -0,0 +1,157 @@ +/************************************************************************* +** PageSize.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <algorithm> +#include <cctype> +#include <cmath> +#include <sstream> +#include "PageSize.h" + +using namespace std; + +// make sure tolower is a function (and not a macro) +// so that 'transform' can be applied +static int my_tolower (int c) { + return tolower(c); +} + + +/** Computes width and height of ISO/DIN An in millimeters. + * @param[in] n the A level (e.g. n=4 => DIN A4) + * @param[out] width contains the page width when function returns + * @param[out] height contains the page height when function returns */ +static void computeASize (int n, double &width, double &height) { + double sqrt2 = sqrt(2.0); + height = floor(1189.0/pow(sqrt2, n)+0.5); + width = floor(height/sqrt2+0.5); +} + + +/** Computes width and height of ISO/DIN Bn in millimeters. + * @param[in] n the B level (e.g. n=4 => DIN B4) + * @param[out] width contains the page width when function returns + * @param[out] height contains the page height when function returns */ +static void computeBSize (int n, double &width, double &height) { + double w, h; + computeASize(n, width, height); + computeASize(n-1, w, h); + width = floor(sqrt(width * w)+0.5); + height = floor(sqrt(height * h)+0.5); +} + + +/** Computes width and height of ISO/DIN Cn in millimeters. + * @param[in] n the C level (e.g. n=4 => DIN C4) + * @param[out] width contains the page width when function returns + * @param[out] height contains the page height when function returns */ +static void computeCSize (int n, double &width, double &height) { + double w, h; + computeASize(n, width, height); + computeBSize(n, w, h); + width = floor(sqrt(width * w)+0.5); + height = floor(sqrt(height * h)+0.5); +} + + +/** Computes width and height of ISO/DIN Dn in millimeters. + * @param[in] n the D level (e.g. n=4 => DIN D4) + * @param[out] width contains the page width when function returns + * @param[out] height contains the page height when function returns */ +static void computeDSize (int n, double &width, double &height) { + double w, h; + computeASize(n, width, height); + computeBSize(n+1, w, h); + width = floor(sqrt(width * w)+0.5); + height = floor(sqrt(height * h)+0.5); +} + + +/** Constructs a PageSize object of given size. + * @param[in] name specifies the page size, e.g. "A4" or "letter" */ +PageSize::PageSize (string name) : _width(0), _height(0) { + resize(name); +} + + +void PageSize::resize (double w, double h) { + _width = w; + _height = h; +} + +void PageSize::resize (string name) { + if (name.length() < 2) + throw PageSizeException("unknown page format: "+name); + + transform(name.begin(), name.end(), name.begin(), my_tolower); + // extract optional suffix + size_t pos = name.rfind("-"); + bool landscape = false; + if (pos != string::npos) { + string suffix = name.substr(pos); + name = name.substr(0, pos); + if (suffix == "-l" || suffix == "-landscape") + landscape = true; + else if (suffix != "-p" && suffix != "-portrait") + throw PageSizeException("invalid page format suffix: " + suffix); + } + + if (name == "invoice") { + _width = 140; + _height = 216; + } + else if (name == "executive") { + _width = 184; + _height = 267; + } + else if (name == "legal") { + _width = 216; + _height = 356; + } + else if (name == "letter") { + _width = 216; + _height = 279; + } + else if (name == "ledger") { + _width = 279; + _height = 432; + } + else if (isdigit(name[1]) && name.length() < 5) { // limit length of number to prevent arithmetic errors + istringstream iss(name.substr(1)); + int n; + iss >> n; + switch (name[0]) { + case 'a' : computeASize(n, _width, _height); break; + case 'b' : computeBSize(n, _width, _height); break; + case 'c' : computeCSize(n, _width, _height); break; + case 'd' : computeDSize(n, _width, _height); break; + default : throw PageSizeException("invalid page format: "+name); + } + } + if (_width == 0 || _height == 0) + throw PageSizeException("unknown page format: "+name); + if (landscape) + swap(_width, _height); + + const double bppmm = 72/25.4; // PS points per millimeter (72pt = 1in = 25.4mm) + _width *= bppmm; + _height *= bppmm; +} + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PageSize.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PageSize.h new file mode 100644 index 00000000000..b86218393c1 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PageSize.h @@ -0,0 +1,48 @@ +/************************************************************************* +** PageSize.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_PAGESIZE_H +#define DVISVGM_PAGESIZE_H + +#include "MessageException.h" + +struct PageSizeException : public MessageException +{ + PageSizeException (const std::string &msg) : MessageException(msg) {} +}; + +class PageSize +{ + public: + PageSize (double w=0, double h=0) : _width(w), _height(h) {} + PageSize (std::string name); + void resize (std:: string name); + void resize (double w, double h); + double widthInBP () const {return _width;} + double heightInBP () const {return _height;} + double widthInMM () const {return _width*25.4/72;} + double heightInMM () const {return _height*25.4/72;} + bool valid () const {return _width > 0 && _height > 0;} + + private: + double _width, _height; // in PS points +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Pair.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Pair.h new file mode 100644 index 00000000000..fa27033b199 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Pair.h @@ -0,0 +1,79 @@ +/************************************************************************* +** Pair.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_PAIR_H +#define DVISVGM_PAIR_H + +#include <cmath> +#include <ostream> +#include "macros.h" +#include "types.h" + +template <typename T> +class Pair +{ + public: + Pair (T x=0, T y=0) : _x(x), _y(y) {} + Pair operator += (const Pair &p) {_x += p._x; _y += p._y; return *this;} + Pair operator -= (const Pair &p) {_x -= p._x; _y -= p._y; return *this;} + Pair operator *= (T c) {_x *= c; _y *= c; return *this;} + Pair operator /= (T c) {_x /= c; _y /= c; return *this;} + Pair ortho () const {return Pair(-_y, _x);} + double length () const {return std::sqrt(_x*_x + _y*_y);} + bool operator == (const Pair &p) const {return _x == p._x && _y == p._y;} + bool operator != (const Pair &p) const {return _x != p._x || _y != p._y;} + T x () const {return _x;} + T y () const {return _y;} + void x (const T &xx) {_x = xx;} + void y (const T &yy) {_y = yy;} + std::ostream& write (std::ostream &os) const {return os << '(' << _x << ',' << _y << ')';} + + private: + T _x, _y; +}; + + +struct Pair32 : public Pair<Int32> +{ + Pair32 (Int32 x=0, Int32 y=0) : Pair<Int32>(x, y) {} + explicit Pair32 (double x, double y) : Pair<Int32>(Int32(x+0.5), Int32(y+0.5)) {} + Pair32 (const Pair<Int32> &p) : Pair<Int32>(p) {} +// operator Pair<Int32> () {return *this;} +}; + +typedef Pair<double> DPair; + +template <typename T> +IMPLEMENT_ARITHMETIC_OPERATOR(Pair<T>, +) + +template <typename T> +IMPLEMENT_ARITHMETIC_OPERATOR(Pair<T>, -) + +template <typename T> +IMPLEMENT_ARITHMETIC_OPERATOR2(Pair<T>, T, *) + +template <typename T> +IMPLEMENT_ARITHMETIC_OPERATOR2(Pair<T>, T, /) + +template <typename T> +IMPLEMENT_OUTPUT_OPERATOR(Pair<T>) + +IMPLEMENT_ARITHMETIC_OPERATOR2(Pair32, Int32, *) +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PathClipper.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PathClipper.cpp new file mode 100644 index 00000000000..02816ecac18 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PathClipper.cpp @@ -0,0 +1,340 @@ +/************************************************************************* +** PathClipper.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include "Bezier.h" +#include "PathClipper.h" +#include "types.h" + +using namespace std; +using namespace ClipperLib; + +typedef ClipperLib::Path Polygon; +typedef ClipperLib::Paths Polygons; +typedef PathClipper::CurvedPath CurvedPath; + +const int SCALE_FACTOR = 1000; + +inline cInt to_cInt (double x) { + if (x < 0) + return static_cast<cInt>(x*SCALE_FACTOR - 0.5); + return static_cast<cInt>(x*SCALE_FACTOR + 0.5); +} + + +inline double to_double (cInt x) { + return static_cast<double>(x)/SCALE_FACTOR; +} + + +inline DPair to_DPair (const IntPoint &p) { + return DPair(to_double(p.X), to_double(p.Y)); +} + + +/** In order to flatten a curved path, all path segements are processed sequentially. + * Depending on the type of the segment, one of the methods provided by this class + * is called. */ +class FlattenActions : public CurvedPath::Actions { + public: + FlattenActions (vector<Bezier> &curves, Polygons &polygons, int &numLines) + : _polygons(polygons), _curves(curves), _numLines(numLines) {} + + void moveto (const CurvedPath::Point &p) { + if (p == _currentPoint && !_currentPoly.empty()) + return; + closepath(); + _currentPoly.push_back(IntPoint(to_cInt(p.x()), to_cInt(p.y()), 0)); + _currentPoint = _startPoint = p; + } + + void lineto (const CurvedPath::Point &p) { + if (p == _currentPoint && !_currentPoly.empty()) + return; + if (_currentPoly.empty()) // this shouldn't happen but in case it does... + _currentPoly.push_back(IntPoint(0, 0, 0)); // ...add a start point first + _numLines--; + _currentPoly.back().Z.label2 = _numLines; + _currentPoly.push_back(IntPoint(to_cInt(p.x()), to_cInt(p.y()), ZType(_numLines, 0))); + _currentPoint = p; + } + + void conicto (const CurvedPath::Point &p1, const CurvedPath::Point &p2) { + Bezier bezier(_currentPoint, p1, p2); + addCurvePoints(bezier); + } + + void cubicto (const CurvedPath::Point &p1, const CurvedPath::Point &p2, const CurvedPath::Point &p3) { + Bezier bezier(_currentPoint, p1, p2, p3); + addCurvePoints(bezier); + } + + void closepath () { + if (_currentPoly.empty()) + return; + _numLines--; + _currentPoly.back().Z.label2 = ZLabel(_numLines, 0); + _currentPoly.front().Z.label1 = ZLabel(_numLines, 0); + _polygons.push_back(_currentPoly); + _currentPoly.clear(); + } + + void finished () { + closepath(); + } + + protected: + void addCurvePoints (const Bezier &bezier) { + if (_currentPoly.empty()) // this shouldn't happen but in case it does, ... + _currentPoly.push_back(IntPoint(0, 0, 0)); // ...add a start point first + vector<DPair> points; // points of flattened curve + vector<double> t; // corresponding 'time' parameters + bezier.approximate(0.01, points, &t); + if (points.size() < 2) + return; + _curves.push_back(bezier); + for (size_t i=1; i < points.size(); i++) { + const DPair &p = points[i]; + if (p == _currentPoint) + continue; + _currentPoly.back().Z.label2 = ZLabel(_curves.size(), t[i-1]); + ZLabel label(_curves.size(), t[i]); + _currentPoly.push_back(IntPoint(to_cInt(p.x()), to_cInt(p.y()), ZType(label, label))); + _currentPoint = p; + } + } + + private: + CurvedPath::Point _startPoint, _currentPoint; + Polygon _currentPoly; ///< polygon being created + Polygons &_polygons; ///< all polygons created + vector<Bezier> &_curves; + int &_numLines; +}; + + +/** Removes adjacent polygon vertices that equal their predecessor. */ +static void remove_redundant_vertices (Polygon &polygon) { + Polygon::iterator it1=polygon.begin(); + while (it1 != polygon.end()) { + Polygon::iterator it2 = it1+1; + if (it2 == polygon.end()) + it2 = polygon.begin(); + if (it1 == it2) + return; + + if (*it1 != *it2) + ++it1; + else { + it1->Z.label2 = it2->Z.label2; + polygon.erase(it2); + } + } +} + + +/** Approximates a curved path by a set of polygons and stores information + * to reconstruct the curved segments later. The z component of each + * polygon vertex holds two integers representing information about the two + * adjacent edges the vertex belongs to. This is required to identify the + * affected edges and thus the former (curve/line) segment of the path during + * the intersection process. + * @param[in] curvedPath curved path to be flattened + * @param[out] polygons the flattened path (set of polygons) */ +void PathClipper::flatten (const CurvedPath &curvedPath, Polygons &polygons) { + FlattenActions flattenActions(_curves, polygons, _numLines); + curvedPath.iterate(flattenActions, false); + for (size_t i=0; i < polygons.size(); i++) + remove_redundant_vertices(polygons[i]); +} + + +/** Returns the ID of the path segment the polygon edge defined by its start + * and end point belongs to. The z component of a polygon vertex holds a pair + * of labels that allows to identify the original path segments the point belongs to. + * Since always two adjacent segments share a point, each point gets two values assigned. + * Negative numbers denote line segments, positive ones Bézier curves. + * There are only these two segment types, so we don't need further flags in + * order to distinguish them. By comparing the labels of two adjacent polygon + * vertexes it's possible to identify the original path segment the corresponding + * edge belongs to. + * @param[in] p1 first of two adjacent vertices + * @param[in] p2 second of two adjacent vertices + * @param[out] t1 time paramater of p1 + * @param[out] t2 time paramater of p2 + * @return id of edge between p1 and p2, or 0 if it's not possible to identify the segment */ +static Int32 segment_id (const IntPoint &p1, const IntPoint &p2, double &t1, double &t2) { + const ZType &z1=p1.Z, &z2=p2.Z; + if (z1 == z2 && z1.minLabel().id < 0) return z1.minLabel().id; + if (z1.label1 == z2.label2) {t1=z1.label1.t; t2=z2.label2.t; return z1.label1.id;} + if (z1.label2 == z2.label1) {t1=z1.label2.t; t2=z2.label1.t; return z1.label2.id;} + if (z1.label1 == z2.label1) {t1=z1.label1.t; t2=z2.label1.t; return z1.label1.id;} + if (z1.label2 == z2.label2) {t1=z1.label2.t; t2=z2.label2.t; return z1.label2.id;} + // if we get here, it's not possible to identify the segment + // => the edge is going to be handled as line segment + return 0; +} + + +inline Int32 edge_id (const IntPoint &p1, const IntPoint &p2) { + double t; + return segment_id(p1, p2, t, t); +} + + +/** This function expects 3 colinear points p1, p2, and q where q lies between p1 and p2, + * i.e. q divides the line \f$ \overline{p_1 p_2} \f$ somewhere. The function returns + * the corresponding division ratio. */ +static double division_ratio (const IntPoint &p1, const IntPoint &p2, const IntPoint &q) { + if (p1 == p2 || q == p1) + return 0; + if (q == p2) + return 1; + if (p1.X == p2.X) + return double(q.Y-p1.Y)/(p2.Y-p1.Y); + return double(q.X-p1.X)/(p2.X-p1.X); +} + + +/** Returns the label of point q that lies on the line between points p1 and p2. */ +inline ZLabel division_label (const IntPoint &p1, const IntPoint &p2, const IntPoint &q) { + double t1, t2; + double s=0; + Int32 id = segment_id(p1, p2, t1, t2); + if (id > 0) + s = t1+(t2-t1)*division_ratio(p1, p2, q); + return ZLabel(id, s); +} + + +/** This method is called if the clipper library finds an intersection between two polygon edges. + * It populates the z coordinate of the intersection point with the idexes of the two edges. + * @param[in] e1bot first endpoint of edge 1 + * @param[in] e1top second endpoint of edge 1 + * @param[in] e2bot first endpoint of edge 2 + * @param[in] e2top second endpoint of edge 2 + * @param[in] ip intersection point of edge 1 and 2 */ +void PathClipper::callback (IntPoint &e1bot, IntPoint &e1top, IntPoint &e2bot, IntPoint &e2top, IntPoint &ip) { + ZLabel label1 = division_label(e1bot, e1top, ip); + ZLabel label2 = division_label(e2bot, e2top, ip); + ip.Z = ZType(label1, label2); +} + + +/** Iterates along the polygon edges until the endpoint of the current + * path segment is found and returns its vector index afterwards. + * @param[in] polygon the polygon to be processed + * @param[in] start index of the vertex where the iteration starts + * @param[out] label if not 0, retrieves the label of the endpoint + * @param[in] startLabel if true, the found endpoint is treated as start point and + * parameter 'label' gets the corresponding value */ +static size_t find_segment_endpoint (const Polygon &polygon, size_t start, ZLabel *label=0, bool startLabel=false) { + if (polygon.empty()) + return 0; + + const size_t num_points = polygon.size(); + int i = start%num_points; + double t1, t2; // time parameters of start and endpoint of current edge + Int32 id1 = segment_id(polygon[i], polygon[(i+1)%num_points], t1, t2); + Int32 id2 = id1; + double t = t2; // time parameter of resulting endpoint + for (size_t j=1; id1 == id2 && j < num_points; j++) { + t = t2; + i = (i+1)%num_points; + if (id1 == 0) + break; + id2 = segment_id(polygon[i], polygon[(i+1)%num_points], t1, t2); + } + if (label) { + *label = ZLabel(id1, id1 < 0 ? 0 : t); + if (startLabel && id1 != 0) + *label = polygon[i].Z.otherLabel(*label); + } + return i; +} + + +/** Reconstructs a curved path from the set of polygons. + * @param[in] polygons set of polygons to reconstruct + * @param[out] path the reconstructed curved path */ +void PathClipper::reconstruct (const Polygons &polygons, CurvedPath &path) { + for (size_t i=0; i < polygons.size(); i++) + reconstruct(polygons[i], path); +} + + +/** Reconstructs a curved path from a single polygon. + * @param[in] polygon polygon to reconstruct + * @param[out] path the reconstructed curved path */ +void PathClipper::reconstruct (const Polygon &polygon, CurvedPath &path) { + size_t num_points = polygon.size(); + if (num_points < 2) + return; + + ZLabel label1, label2; // labels of the current segment's start and endpoint + int index1 = find_segment_endpoint(polygon, 0, &label1, true); + int index2 = find_segment_endpoint(polygon, index1, &label2); + int diff = (num_points+index2-index1)%num_points; + path.moveto(to_DPair(polygon[index1])); + for (size_t count = diff; count <= num_points; count += diff) { + if (diff == 1 || label1.id <= 0) // line segment? + path.lineto(to_DPair(polygon[index2])); + else { // Bézier curve segment + Bezier bezier(_curves[label1.id-1], label1.t, label2.t); + if (label1.t > label2.t) + bezier.reverse(); + path.cubicto(bezier.point(1), bezier.point(2), bezier.point(3)); + } + if (label1.id == 0) + find_segment_endpoint(polygon, index2, &label1, true); + else + label1 = polygon[index2].Z.otherLabel(label2); + index1 = index2; + index2 = find_segment_endpoint(polygon, index1, &label2); + diff = (num_points+index2-index1)%num_points; + } + path.closepath(); +} + + +inline PolyFillType polyFillType (CurvedPath::WindingRule wr) { + return (wr == CurvedPath::WR_NON_ZERO) ? pftNonZero : pftEvenOdd; +} + + +/** Computes the intersection of to curved path. + * @param[in] p1 first curved path + * @param[in] p2 second curved path + * @param[out] result intersection of p1 and p2 */ +void PathClipper::intersect (const CurvedPath &p1, const CurvedPath &p2, CurvedPath &result) { + if (p1.size() < 2 || p2.size() < 2) + return; + Clipper clipper; + Polygons polygons; + flatten(p1, polygons); + clipper.AddPaths(polygons, ptSubject, true); + polygons.clear(); + flatten(p2, polygons); + clipper.AddPaths(polygons, ptClip, true); + clipper.ZFillFunction(callback); + Polygons flattenedPath; + clipper.Execute(ctIntersection, flattenedPath, polyFillType(p1.windingRule()), polyFillType(p2.windingRule())); + reconstruct(flattenedPath, result); +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PathClipper.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PathClipper.h new file mode 100644 index 00000000000..b9c9158a228 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PathClipper.h @@ -0,0 +1,55 @@ +/************************************************************************* +** PathClipper.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_PATHCLIPPER_H +#define DVISVGM_PATHCLIPPER_H + +#include <clipper.hpp> +#include <string> +#include <vector> +#include "Bezier.h" +#include "GraphicPath.h" +#include "MessageException.h" + + +using ClipperLib::IntPoint; + +class PathClipper +{ + public: + typedef GraphicPath<double> CurvedPath; + + public: + PathClipper () : _numLines(0) {} + void intersect (const CurvedPath &p1, const CurvedPath &p2, CurvedPath &result); + + protected: + void flatten (const CurvedPath &gp, ClipperLib::Paths &polygons); +// void divide (IntPoint &p1, IntPoint &p2, IntPoint &ip); + void reconstruct (const ClipperLib::Path &polygon, CurvedPath &path); + void reconstruct (const ClipperLib::Paths &polygons, CurvedPath &path); + static void callback (IntPoint &e1bot, IntPoint &e1top, IntPoint &e2bot, IntPoint &e2top, IntPoint &ip); + + private: + std::vector<Bezier> _curves; + int _numLines; ///< negative number of straight line segments in path been processed +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PdfSpecialHandler.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PdfSpecialHandler.cpp new file mode 100644 index 00000000000..848d38b562d --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PdfSpecialHandler.cpp @@ -0,0 +1,77 @@ +/************************************************************************* +** PdfSpecialHandler.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <cstring> +#include "InputReader.h" +#include "MapLine.h" +#include "PdfSpecialHandler.h" +#include "FontMap.h" +#include "Message.h" + +using namespace std; + + +PdfSpecialHandler::PdfSpecialHandler () : _maplineProcessed(false) +{ +} + + +bool PdfSpecialHandler::process (const char *prefix, istream &is, SpecialActions *actions) { + if (!actions) + return true; + StreamInputReader ir(is); + ir.skipSpace(); + string cmd = ir.getWord(); + ir.skipSpace(); + if (cmd == "mapline" || cmd == "mapfile") { + // read mode selector ('+', '-', or '=') + char modechar = '+'; // default mode (append if new, do not replace existing mapping) + if (strchr("=+-", ir.peek())) // leading modifier given? + modechar = ir.get(); + else if (!_maplineProcessed) { // no modifier given? + // remove default map entries if this is the first mapline/mapfile special called + FontMap::instance().clear(); + } + + if (cmd == "mapline") { + try { + MapLine mapline(is); + FontMap::instance().apply(mapline, modechar); + } + catch (const MapLineException &ex) { + Message::wstream(true) << "pdf:mapline: " << ex.what() << '\n'; + } + } + else { // mapfile + string fname = ir.getString(); + if (!FontMap::instance().read(fname, modechar)) + Message::wstream(true) << "can't open map file " << fname << '\n'; + } + _maplineProcessed = true; + } + return true; +} + + +const char** PdfSpecialHandler::prefixes () const { + static const char *pfx[] = {"pdf:", 0}; + return pfx; +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PdfSpecialHandler.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PdfSpecialHandler.h new file mode 100644 index 00000000000..cdb24b6ad76 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PdfSpecialHandler.h @@ -0,0 +1,39 @@ +/************************************************************************* +** PdfSpecialHandler.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_PDFSPECIALHANDLER_H +#define DVISVGM_PDFSPECIALHANDLER_H + +#include "SpecialHandler.h" + +class PdfSpecialHandler : public SpecialHandler +{ + public: + PdfSpecialHandler (); + const char* info () const {return "pdfTeX font map specials";} + const char* name () const {return "pdf";} + const char** prefixes () const; + bool process (const char *prefix, std::istream &is, SpecialActions *actions); + + private: + bool _maplineProcessed; ///< true if a mapline or mapfile special has already been processed +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PreScanDVIReader.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PreScanDVIReader.cpp new file mode 100644 index 00000000000..9d45be980f1 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PreScanDVIReader.cpp @@ -0,0 +1,44 @@ +/************************************************************************* +** PreScanDVIReader.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include "DVIActions.h" +#include "PreScanDVIReader.h" + +using namespace std; + + +PreScanDVIReader::PreScanDVIReader (std::istream &is, DVIActions *actions) + : BasicDVIReader(is), _actions(actions), _currentPageNumber(0) +{ +} + + +void PreScanDVIReader::cmdBop (int) { + _currentPageNumber++; + BasicDVIReader::cmdBop(0); +} + + +void PreScanDVIReader::cmdXXX (int len) { + UInt32 numBytes = readUnsigned(len); + string s = readString(numBytes); + if (_actions) + _actions->special(s, 0, true); // pre-process special +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PreScanDVIReader.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PreScanDVIReader.h new file mode 100644 index 00000000000..6e1642548f5 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PreScanDVIReader.h @@ -0,0 +1,43 @@ +/************************************************************************* +** PreScanDVIReader.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef PRESCANDVIREADER_H +#define PRESCANDVIREADER_H + +#include "BasicDVIReader.h" + +struct DVIActions; + +class PreScanDVIReader : public BasicDVIReader +{ + public: + PreScanDVIReader (std::istream &is, DVIActions *actions); + unsigned getCurrentPageNumber () const {return _currentPageNumber;} + + protected: + void cmdBop (int); + void cmdXXX (int len); + + private: + DVIActions *_actions; + unsigned _currentPageNumber; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Process.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Process.cpp new file mode 100644 index 00000000000..b79331f4fab --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Process.cpp @@ -0,0 +1,190 @@ +/************************************************************************* +** Process.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> + +#ifdef __WIN32__ + #include <windows.h> +#else + #include <fcntl.h> + #include <sys/wait.h> + #include <unistd.h> + #include <signal.h> +#endif + +#include <cstdlib> +#include "FileSystem.h" +#include "Process.h" +#include "SignalHandler.h" +#include "macros.h" + +using namespace std; + +Process::Process (const string &cmd, const string ¶mstr) + : _cmd(cmd), _paramstr(paramstr) +{ +} + + +#ifdef __WIN32__ +static void pipe_read (HANDLE handle, string &out) { + char buf[4096]; + out.clear(); + for (;;) { + DWORD num_chars; + bool success = ReadFile(handle, buf, 1024, &num_chars, NULL); + if (!success || num_chars == 0) + break; + out.append(buf, num_chars); + } + // remove trailing space + if (!out.empty()) { + int pos = out.size()-1; + while (pos >= 0 && isspace(out[pos])) + pos--; + out.erase(pos+1); + } +} + + +static inline void close_handle (HANDLE handle) { + if (handle != NULL) + CloseHandle(handle); +} + +#else + +/** Extracts whitespace-sparated parameters from a string. + * @param[in] paramstr the parameter string + * @param[out] params vector holding the extracted parameters */ +static void split_paramstr (string paramstr, vector<const char*> ¶ms) { + size_t left=0, right=0; // index of first and last character of current parameter + char quote=0; // current quote character, 0=none + const size_t len = paramstr.length(); + while (left <= right && right < len) { + while (left < len && isspace(paramstr[left])) + ++left; + if (left < len && (paramstr[left] == '"' || paramstr[left] == '\'')) + quote = paramstr[left++]; + right = left; + while (right < len && (quote || !isspace(paramstr[right]))) { + if (quote && paramstr[right] == quote) { + quote=0; + break; + } + else + ++right; + } + if (right < len) + paramstr[right]=0; + if (left < len) + params.push_back(¶mstr[left]); + left = ++right; + } +} + +#endif + + +/** Runs the process and waits until it's finished. + * @param[out] out takes the output written to stdout by the executed process + * @return true if process terminated properly + * @throw SignalException if CTRL-C was pressed during execution */ +bool Process::run (string *out) { +#ifdef __WIN32__ + SECURITY_ATTRIBUTES sa; + ZeroMemory(&sa, sizeof(SECURITY_ATTRIBUTES)); + sa.nLength = sizeof(SECURITY_ATTRIBUTES); + sa.bInheritHandle = true; + + STARTUPINFO si; + ZeroMemory(&si, sizeof(STARTUPINFO)); + si.cb = sizeof(STARTUPINFO); + si.dwFlags = STARTF_USESTDHANDLES; + HANDLE devnull = NULL; + HANDLE proc_read_handle = NULL; + HANDLE proc_write_handle = NULL; + if (out) { + CreatePipe(&proc_read_handle, &proc_write_handle, &sa, 0); + SetHandleInformation(proc_read_handle, HANDLE_FLAG_INHERIT, 0); + si.hStdOutput = proc_write_handle; + } + else { + devnull = CreateFile("nul", GENERIC_READ|GENERIC_WRITE, FILE_SHARE_READ|FILE_SHARE_WRITE, &sa, OPEN_EXISTING, FILE_ATTRIBUTE_NORMAL, NULL); + si.hStdOutput = devnull; + } + si.hStdInput = GetStdHandle(STD_INPUT_HANDLE); + si.hStdError = GetStdHandle(STD_ERROR_HANDLE); + + PROCESS_INFORMATION pi; + ZeroMemory(&pi, sizeof(pi)); + DWORD exitcode = DWORD(-1); + string cmdline = _cmd+" "+_paramstr; + bool success = CreateProcess(NULL, (LPSTR)cmdline.c_str(), NULL, NULL, true, 0, NULL, NULL, &si, &pi); + if (success) { + WaitForSingleObject(pi.hProcess, INFINITE); + GetExitCodeProcess(pi.hProcess, &exitcode); + CloseHandle(pi.hProcess); + CloseHandle(pi.hThread); + } + close_handle(proc_write_handle); // must be closed before reading from pipe to prevent blocking + if (success && out) + pipe_read(proc_read_handle, *out); + close_handle(proc_read_handle); + close_handle(devnull); + return exitcode == 0; +#else + pid_t pid = fork(); + if (pid == 0) { // child process + if (!out) { + int devnull = open(FileSystem::DEVNULL, O_WRONLY); + if (devnull >= 0) { + dup2(devnull, STDOUT_FILENO); + dup2(devnull, STDERR_FILENO); + close(devnull); + } + } + vector<const char*> params; + params.push_back(_cmd.c_str()); + split_paramstr(_paramstr, params); + params.push_back(0); // trailing NULL marks end + execvp(_cmd.c_str(), const_cast<char* const*>(¶ms[0])); + exit(1); + } + if (pid > 0) { // main process + int status; + for (;;) { + waitpid(pid, &status, WNOHANG); + if (WIFEXITED(status)) // child process exited normally + return WEXITSTATUS(status) == 0; + + try { + SignalHandler::instance().check(); + } + catch (SignalException &e) { // caught ctrl-c + kill(pid, SIGKILL); + throw; + } + } + } + return false; +#endif +} + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Process.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Process.h new file mode 100644 index 00000000000..bf6deb28a51 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Process.h @@ -0,0 +1,41 @@ +/************************************************************************* +** Process.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_PROCESS_H +#define DVISVGM_PROCESS_H + +#include <string> + +class Process +{ + public: + Process (const std::string &cmd, const std::string ¶mstr); + bool run (std::string *out=0); + + protected: + Process (const Process& orig) {} + + private: + std::string _cmd; + std::string _paramstr; +}; + +#endif + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PsSpecialHandler.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PsSpecialHandler.cpp new file mode 100644 index 00000000000..9e02f353e4b --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PsSpecialHandler.cpp @@ -0,0 +1,1190 @@ +/************************************************************************* +** PsSpecialHandler.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <cmath> +#include <fstream> +#include <iostream> +#include <memory> +#include <sstream> +#include "EPSFile.h" +#include "FileFinder.h" +#include "Ghostscript.h" +#include "Message.h" +#include "PathClipper.h" +#include "PSPattern.h" +#include "PSPreviewFilter.h" +#include "PsSpecialHandler.h" +#include "SpecialActions.h" +#include "SVGTree.h" +#include "TensorProductPatch.h" +#include "VectorIterator.h" +#include "XMLNode.h" +#include "XMLString.h" +#include "TriangularPatch.h" + + +using namespace std; + + +static inline double str2double (const string &str) { + double ret; + istringstream iss(str); + iss >> ret; + return ret; +} + + +bool PsSpecialHandler::COMPUTE_CLIPPATHS_INTERSECTIONS = false; +bool PsSpecialHandler::SHADING_SEGMENT_OVERLAP = false; +int PsSpecialHandler::SHADING_SEGMENT_SIZE = 20; +double PsSpecialHandler::SHADING_SIMPLIFY_DELTA = 0.01; + + +PsSpecialHandler::PsSpecialHandler () : _psi(this), _actions(0), _previewFilter(_psi), _psSection(PS_NONE), _xmlnode(0) +{ +} + + +PsSpecialHandler::~PsSpecialHandler () { + _psi.setActions(0); // ensure no further PS actions are performed + for (map<int, PSPattern*>::iterator it=_patterns.begin(); it != _patterns.end(); ++it) + delete it->second; +} + + +/** Initializes the PostScript handler. It's called by the first use of process(). The + * deferred initialization speeds up the conversion of DVI files that doesn't contain + * PS specials. */ +void PsSpecialHandler::initialize () { + if (_psSection == PS_NONE) { + // initial values of graphics state + _linewidth = 1; + _linecap = _linejoin = 0; + _miterlimit = 4; + _xmlnode = _savenode = 0; + _opacityalpha = 1; // fully opaque + _sx = _sy = _cos = 1.0; + _pattern = 0; + + // execute dvips prologue/header files + const char *headers[] = {"tex.pro", "texps.pro", "special.pro", /*"color.pro",*/ 0}; + for (const char **p=headers; *p; ++p) + processHeaderFile(*p); + // disable bop/eop operators to prevent side-effects by + // unexpected bobs/eops present in PS specials + _psi.execute("\nTeXDict begin /bop{pop pop}def /eop{}def end "); + _psSection = PS_HEADERS; // allow to process header specials now + } +} + + +void PsSpecialHandler::processHeaderFile (const char *name) { + if (const char *path = FileFinder::lookup(name, false)) { + ifstream ifs(path); + _psi.execute(string("%%BeginProcSet: ")+name+" 0 0\n", false); + _psi.execute(ifs, false); + _psi.execute("%%EndProcSet\n", false); + } + else + Message::wstream(true) << "PostScript header file " << name << " not found\n"; +} + + +void PsSpecialHandler::enterBodySection () { + if (_psSection == PS_HEADERS) { + _psSection = PS_BODY; // don't process any PS header code + ostringstream oss; + // process collected header code + if (!_headerCode.empty()) { + oss << "\nTeXDict begin @defspecial " << _headerCode << "\n@fedspecial end"; + _headerCode.clear(); + } + // push dictionary "TeXDict" with dvips definitions on dictionary stack + // and initialize basic dvips PostScript variables + oss << "\nTeXDict begin 0 0 1000 72 72 () @start 0 0 moveto "; + _psi.execute(oss.str(), false); + // Check for information generated by preview.sty. If the tightpage options + // was set, don't execute the bop-hook but allow the PS filter to read + // the bbox data present at the beginning of the page. + _psi.setFilter(&_previewFilter); + _previewFilter.activate(); + if (!_previewFilter.tightpage()) + _psi.execute("userdict/bop-hook known{bop-hook}if\n", false); + } +} + + +/** Move PS graphic position to current DVI location. */ +void PsSpecialHandler::moveToDVIPos () { + if (_actions) { + const double x = _actions->getX(); + const double y = _actions->getY(); + ostringstream oss; + oss << '\n' << x << ' ' << y << " moveto "; + _psi.execute(oss.str()); + _currentpoint = DPair(x, y); + } +} + + +/** Executes a PS snippet and optionally synchronizes the DVI cursor position + * with the current PS point. + * @param[in] is stream to read the PS code from + * @param[in] updatePos if true, move the DVI drawing position to the current PS point */ +void PsSpecialHandler::executeAndSync (istream &is, bool updatePos) { + if (_actions && _actions->getColor() != _currentcolor) { + // update the PS graphics state if the color has been changed by a color special + double r, g, b; + _actions->getColor().getRGB(r, g, b); + ostringstream oss; + oss << '\n' << r << ' ' << g << ' ' << b << " setrgbcolor "; + _psi.execute(oss.str(), false); + } + _psi.execute(is); + if (updatePos) { + // retrieve current PS position (stored in _currentpoint) + _psi.execute("\nquerypos "); + if (_actions) { + _actions->setX(_currentpoint.x()); + _actions->setY(_currentpoint.y()); + } + } +} + + +void PsSpecialHandler::preprocess (const char *prefix, istream &is, SpecialActions *actions) { + initialize(); + if (_psSection != PS_HEADERS) + return; + + _actions = actions; + if (*prefix == '!') { + _headerCode += "\n"; + _headerCode += string(istreambuf_iterator<char>(is), istreambuf_iterator<char>()); + } + else if (strcmp(prefix, "header=") == 0) { + // read and execute PS header file + string fname; + is >> fname; + processHeaderFile(fname.c_str()); + } +} + + +bool PsSpecialHandler::process (const char *prefix, istream &is, SpecialActions *actions) { + // process PS headers only once (in prescan) + if (*prefix == '!' || strcmp(prefix, "header=") == 0) + return true; + + _actions = actions; + initialize(); + if (_psSection != PS_BODY) + enterBodySection(); + + if (*prefix == '"') { + // read and execute literal PostScript code (isolated by a wrapping save/restore pair) + moveToDVIPos(); + _psi.execute("\n@beginspecial @setspecial "); + executeAndSync(is, false); + _psi.execute("\n@endspecial "); + } + else if (strcmp(prefix, "psfile=") == 0 || strcmp(prefix, "PSfile=") == 0) { + if (_actions) { + StreamInputReader in(is); + string fname = in.getQuotedString(in.peek() == '"' ? '"' : 0); + map<string,string> attr; + in.parseAttributes(attr); + psfile(fname, attr); + } + } + else if (strcmp(prefix, "ps::") == 0) { + if (_actions) + _actions->finishLine(); // reset DVI position on next DVI command + if (is.peek() == '[') { + // collect characters inside the brackets + string code; + for (int i=0; i < 9 && is.peek() != ']' && !is.eof(); ++i) + code += is.get(); + if (is.peek() == ']') + code += is.get(); + + if (code == "[begin]" || code == "[nobreak]") { + moveToDVIPos(); + executeAndSync(is, true); + } + else { + // no move to DVI position here + if (code != "[end]") // PS array? + _psi.execute(code); + executeAndSync(is, true); + } + } + else { // ps::<code> behaves like ps::[end]<code> + // no move to DVI position here + executeAndSync(is, true); + } + } + else { // ps: ... + if (_actions) + _actions->finishLine(); + moveToDVIPos(); + StreamInputReader in(is); + if (in.check(" plotfile ")) { // ps: plotfile fname + string fname = in.getString(); + ifstream ifs(fname.c_str()); + if (ifs) + _psi.execute(ifs); + else + Message::wstream(true) << "file '" << fname << "' not found in ps: plotfile\n"; + } + else { + // ps:<code> is almost identical to ps::[begin]<code> but does + // a final repositioning to the current DVI location + executeAndSync(is, true); + moveToDVIPos(); + } + } + return true; +} + + +/** Handles psfile special. + * @param[in] fname EPS file to be included + * @param[in] attr attributes given with \\special psfile */ +void PsSpecialHandler::psfile (const string &fname, const map<string,string> &attr) { + EPSFile epsfile(fname); + istream &is = epsfile.istream(); + if (!is) + Message::wstream(true) << "file '" << fname << "' not found in special 'psfile'\n"; + else { + map<string,string>::const_iterator it; + + // bounding box of EPS figure + double llx = (it = attr.find("llx")) != attr.end() ? str2double(it->second) : 0; + double lly = (it = attr.find("lly")) != attr.end() ? str2double(it->second) : 0; + double urx = (it = attr.find("urx")) != attr.end() ? str2double(it->second) : 0; + double ury = (it = attr.find("ury")) != attr.end() ? str2double(it->second) : 0; + + // desired width/height of resulting figure + double rwi = (it = attr.find("rwi")) != attr.end() ? str2double(it->second)/10.0 : -1; + double rhi = (it = attr.find("rhi")) != attr.end() ? str2double(it->second)/10.0 : -1; + if (rwi == 0 || rhi == 0 || urx-llx == 0 || ury-lly == 0) + return; + + // user transformations (default values chosen according to dvips manual) + double hoffset = (it = attr.find("hoffset")) != attr.end() ? str2double(it->second) : 0; + double voffset = (it = attr.find("voffset")) != attr.end() ? str2double(it->second) : 0; +// double hsize = (it = attr.find("hsize")) != attr.end() ? str2double(it->second) : 612; +// double vsize = (it = attr.find("vsize")) != attr.end() ? str2double(it->second) : 792; + double hscale = (it = attr.find("hscale")) != attr.end() ? str2double(it->second) : 100; + double vscale = (it = attr.find("vscale")) != attr.end() ? str2double(it->second) : 100; + double angle = (it = attr.find("angle")) != attr.end() ? str2double(it->second) : 0; + + Matrix m(1); + m.rotate(angle).scale(hscale/100, vscale/100).translate(hoffset, voffset); + BoundingBox bbox(llx, lly, urx, ury); + bbox.transform(m); + + double sx = rwi/bbox.width(); + double sy = rhi/bbox.height(); + if (sx < 0) sx = sy; + if (sy < 0) sy = sx; + if (sx < 0) sx = sy = 1.0; + + // save current DVI position (in pt units) + const double x = _actions->getX(); + const double y = _actions->getY(); + + // all following drawings are relative to (0,0) + _actions->setX(0); + _actions->setY(0); + moveToDVIPos(); + + _xmlnode = new XMLElementNode("g"); + _psi.execute("\n@beginspecial @setspecial "); // enter \special environment + _psi.limit(epsfile.pslength()); // limit the number of bytes to be processed + _psi.execute(is); // process EPS file + _psi.limit(0); // disable limitation + _psi.execute("\n@endspecial "); // leave special environment + if (!_xmlnode->empty()) { // has anything been drawn? + Matrix m(1); + m.rotate(angle).scale(hscale/100, vscale/100).translate(hoffset, voffset); + m.translate(-llx, lly); + m.scale(sx, sy); // resize image to width "rwi" and height "rhi" + m.translate(x, y); // move image to current DVI position + _xmlnode->addAttribute("transform", m.getSVG()); + _actions->appendToPage(_xmlnode); + } + else + delete _xmlnode; + _xmlnode = 0; + + // restore DVI position + _actions->setX(x); + _actions->setY(y); + moveToDVIPos(); + + // update bounding box + m.scale(sx, -sy); + m.translate(x, y); + bbox = BoundingBox(0, 0, fabs(urx-llx), fabs(ury-lly)); + bbox.transform(m); + _actions->embed(bbox); + } +} + + +/** Apply transformation to width, height, and depth set by preview package. + * @param[in] matrix transformation matrix to apply + * @param[out] w width + * @param[out] h height + * @param[out] d depth + * @return true if the baseline is still horizontal after the transformation */ +static bool transform_box_extents (const Matrix &matrix, double &w, double &h, double &d) { + DPair shift = matrix*DPair(0,0); // the translation component of the matrix + DPair ex = matrix*DPair(1,0)-shift; + DPair ey = matrix*DPair(0,1)-shift; + if (ex.y() != 0 && ey.x() != 0) // rotation != mod 90 degrees? + return false; // => non-horizontal baseline, can't compute meaningful extents + + if (ex.y() == 0) // horizontal scaling or skewing? + w *= fabs(ex.x()); + if (ey.x()==0 || ex.y()==0) { // vertical scaling? + if (ey.y() < 0) swap(h, d); + if (double sy = fabs(ey.y())/ey.length()) { + h *= fabs(ey.y()/sy); + d *= fabs(ey.y()/sy); + } + else + h = d = 0; + } + return true; +} + + +void PsSpecialHandler::dviEndPage (unsigned) { + BoundingBox bbox; + if (_previewFilter.getBoundingBox(bbox)) { + double w = _previewFilter.width(); + double h = _previewFilter.height(); + double d = _previewFilter.depth(); + bool horiz_baseline = true; + if (_actions) { + _actions->bbox() = bbox; + // apply page transformations to box extents + Matrix pagetrans; + _actions->getPageTransform(pagetrans); + horiz_baseline = transform_box_extents(pagetrans, w, h, d); + _actions->bbox().lock(); + } + Message::mstream() << "\napplying bounding box set by preview package (version " << _previewFilter.version() << ")\n"; + if (horiz_baseline) { + const double bp2pt = 72.27/72.0; + Message::mstream() << + "width=" << XMLString(w*bp2pt) << "pt, " + "height=" << XMLString(h*bp2pt) << "pt, " + "depth=" << XMLString(d*bp2pt) << "pt\n"; + } + else + Message::mstream() << "can't determine height, width, and depth due to non-horizontal baseline\n"; + } + // close dictionary TeXDict and execute end-hook if defined + if (_psSection == PS_BODY) { + _psi.execute("\nend userdict/end-hook known{end-hook}if "); + _psSection = PS_HEADERS; + } +} + +/////////////////////////////////////////////////////// + +void PsSpecialHandler::gsave (vector<double> &p) { + _clipStack.dup(); +} + + +void PsSpecialHandler::grestore (vector<double> &p) { + _clipStack.pop(); +} + + +void PsSpecialHandler::grestoreall (vector<double> &p) { + _clipStack.pop(-1, true); +} + + +void PsSpecialHandler::save (vector<double> &p) { + _clipStack.dup(static_cast<int>(p[0])); +} + + +void PsSpecialHandler::restore (vector<double> &p) { + _clipStack.pop(static_cast<int>(p[0])); +} + + +void PsSpecialHandler::moveto (vector<double> &p) { + _path.moveto(p[0], p[1]); +} + + +void PsSpecialHandler::lineto (vector<double> &p) { + _path.lineto(p[0], p[1]); +} + + +void PsSpecialHandler::curveto (vector<double> &p) { + _path.cubicto(p[0], p[1], p[2], p[3], p[4], p[5]); +} + + +void PsSpecialHandler::closepath (vector<double> &p) { + _path.closepath(); +} + + +/** Draws the current path recorded by previously executed path commands (moveto, lineto,...). + * @param[in] p not used */ +void PsSpecialHandler::stroke (vector<double> &p) { + if ((_path.empty() && !_clipStack.clippathLoaded()) || !_actions) + return; + + BoundingBox bbox; + if (!_actions->getMatrix().isIdentity()) { + _path.transform(_actions->getMatrix()); + if (!_xmlnode) + bbox.transform(_actions->getMatrix()); + } + if (_clipStack.clippathLoaded() && _clipStack.top()) + _path.prepend(*_clipStack.top()); + XMLElementNode *path=0; + Pair<double> point; + if (_path.isDot(point)) { // zero-length path? + if (_linecap == 1) { // round line ends? => draw dot + double x = point.x(); + double y = point.y(); + double r = _linewidth/2.0; + path = new XMLElementNode("circle"); + path->addAttribute("cx", x); + path->addAttribute("cy", y); + path->addAttribute("r", r); + path->addAttribute("fill", _actions->getColor().rgbString()); + bbox = BoundingBox(x-r, y-r, x+r, y+r); + } + } + else { + // compute bounding box + _path.computeBBox(bbox); + bbox.expand(_linewidth/2); + + ostringstream oss; + _path.writeSVG(oss, SVGTree::RELATIVE_PATH_CMDS); + path = new XMLElementNode("path"); + path->addAttribute("d", oss.str()); + path->addAttribute("stroke", _actions->getColor().rgbString()); + path->addAttribute("fill", "none"); + if (_linewidth != 1) + path->addAttribute("stroke-width", _linewidth); + if (_miterlimit != 4) + path->addAttribute("stroke-miterlimit", _miterlimit); + if (_linecap > 0) // default value is "butt", no need to set it explicitly + path->addAttribute("stroke-linecap", _linecap == 1 ? "round" : "square"); + if (_linejoin > 0) // default value is "miter", no need to set it explicitly + path->addAttribute("stroke-linejoin", _linecap == 1 ? "round" : "bevel"); + if (_opacityalpha < 1) + path->addAttribute("stroke-opacity", _opacityalpha); + if (!_dashpattern.empty()) { + ostringstream oss; + for (size_t i=0; i < _dashpattern.size(); i++) { + if (i > 0) + oss << ','; + oss << XMLString(_dashpattern[i]); + } + path->addAttribute("stroke-dasharray", oss.str()); + if (_dashoffset != 0) + path->addAttribute("stroke-dashoffset", _dashoffset); + } + } + if (path && _clipStack.top()) { + // assign clipping path and clip bounding box + path->addAttribute("clip-path", XMLString("url(#clip")+XMLString(_clipStack.topID())+")"); + BoundingBox clipbox; + _clipStack.top()->computeBBox(clipbox); + bbox.intersect(clipbox); + _clipStack.setClippathLoaded(false); + } + if (_xmlnode) + _xmlnode->append(path); + else { + _actions->appendToPage(path); + _actions->embed(bbox); + } + _path.clear(); +} + + +/** Draws a closed path filled with the current color. + * @param[in] p not used + * @param[in] evenodd true: use even-odd fill algorithm, false: use nonzero fill algorithm */ +void PsSpecialHandler::fill (vector<double> &p, bool evenodd) { + if ((_path.empty() && !_clipStack.clippathLoaded()) || !_actions) + return; + + // compute bounding box + BoundingBox bbox; + _path.computeBBox(bbox); + if (!_actions->getMatrix().isIdentity()) { + _path.transform(_actions->getMatrix()); + if (!_xmlnode) + bbox.transform(_actions->getMatrix()); + } + if (_clipStack.clippathLoaded() && _clipStack.top()) + _path.prepend(*_clipStack.top()); + + ostringstream oss; + _path.writeSVG(oss, SVGTree::RELATIVE_PATH_CMDS); + XMLElementNode *path = new XMLElementNode("path"); + path->addAttribute("d", oss.str()); + if (_pattern) + path->addAttribute("fill", XMLString("url(#")+_pattern->svgID()+")"); + else if (_actions->getColor() != Color::BLACK || _savenode) + path->addAttribute("fill", _actions->getColor().rgbString()); + if (_clipStack.top()) { + // assign clipping path and clip bounding box + path->addAttribute("clip-path", XMLString("url(#clip")+XMLString(_clipStack.topID())+")"); + BoundingBox clipbox; + _clipStack.top()->computeBBox(clipbox); + bbox.intersect(clipbox); + _clipStack.setClippathLoaded(false); + } + if (evenodd) // SVG default fill rule is "nonzero" algorithm + path->addAttribute("fill-rule", "evenodd"); + if (_opacityalpha < 1) + path->addAttribute("fill-opacity", _opacityalpha); + if (_xmlnode) + _xmlnode->append(path); + else { + _actions->appendToPage(path); + _actions->embed(bbox); + } + _path.clear(); +} + + +/** Creates a Matrix object out of a given sequence of 6 double values. + * The given values must be arranged in PostScript matrix order. + * @param[in] v vector containing the matrix values + * @param[in] startindex vector index of first component + * @param[out] matrix the generated matrix */ +static void create_matrix (vector<double> &v, int startindex, Matrix &matrix) { + // Ensure vector p has 6 elements. If necessary, add missing ones + // using corresponding values of the identity matrix. + if (v.size()-startindex < 6) { + v.resize(6+startindex); + for (int i=v.size()-startindex; i < 6; ++i) + v[i+startindex] = (i%3 ? 0 : 1); + } + // PS matrix [a b c d e f] equals ((a,b,0),(c,d,0),(e,f,1)). + // Since PS uses left multiplications, we must transpose and reorder + // the matrix to ((a,c,e),(b,d,f),(0,0,1)). This is done by the + // following swaps. + swap(v[startindex+1], v[startindex+2]); // => (a, c, b, d, e, f) + swap(v[startindex+2], v[startindex+4]); // => (a, c, e, d, b, f) + swap(v[startindex+3], v[startindex+4]); // => (a, c, e, b, d, f) + matrix.set(v, startindex); +} + + +/** Starts the definition of a new fill pattern. This operator + * expects 9 parameters for tiling patterns (see PS reference 4.9.2): + * @param[in] p the 9 values defining a tiling pattern (see PS reference 4.9.2): + * 0: pattern type (0:none, 1:tiling, 2:shading) + * 1: pattern ID + * 2-5: lower left and upper right coordinates of pattern box + * 6: horizontal distance of adjacent tiles + * 7: vertical distance of adjacent tiles + * 8: paint type (1: colored pattern, 2: uncolored pattern) + * 9-14: pattern matrix */ +void PsSpecialHandler::makepattern (vector<double> &p) { + int pattern_type = static_cast<int>(p[0]); + int id = static_cast<int>(p[1]); + switch (pattern_type) { + case 0: + // pattern definition completed + if (_savenode) { + _xmlnode = _savenode; + _savenode = 0; + } + break; + case 1: { // tiling pattern + BoundingBox bbox(p[2], p[3], p[4], p[5]); + const double &xstep=p[6], &ystep=p[7]; // horizontal and vertical distance of adjacent tiles + int paint_type = static_cast<int>(p[8]); + + Matrix matrix; // transformation matrix given together with pattern definition + create_matrix(p, 9, matrix); + matrix.rmultiply(_actions->getMatrix()); + + PSTilingPattern *pattern=0; + if (paint_type == 1) + pattern = new PSColoredTilingPattern(id, bbox, matrix, xstep, ystep); + else + pattern = new PSUncoloredTilingPattern(id, bbox, matrix, xstep, ystep); + _patterns[id] = pattern; + _savenode = _xmlnode; + _xmlnode = pattern->getContainerNode(); // insert the following SVG elements into this node + break; + } + case 2: { + // define a shading pattern + } + } +} + + +/** Selects a previously defined fill pattern. + * 0: pattern ID + * 1-3: (optional) RGB values for uncolored tiling patterns + * further parameters depend on the pattern type */ +void PsSpecialHandler::setpattern (vector<double> &p) { + int pattern_id = p[0]; + Color color; + if (p.size() == 4) + color.setRGB(p[1], p[2], p[3]); + map<int,PSPattern*>::iterator it = _patterns.find(pattern_id); + if (it == _patterns.end()) + _pattern = 0; + else { + if (PSUncoloredTilingPattern *pattern = dynamic_cast<PSUncoloredTilingPattern*>(it->second)) + pattern->setColor(color); + it->second->apply(_actions); + if (PSTilingPattern *pattern = dynamic_cast<PSTilingPattern*>(it->second)) + _pattern = pattern; + else + _pattern = 0; + } +} + + +/** Clears the current clipping path. + * @param[in] p not used */ +void PsSpecialHandler::initclip (vector<double> &) { + _clipStack.pushEmptyPath(); +} + + +/** Assigns the current clipping path to the graphics path. */ +void PsSpecialHandler::clippath (std::vector<double>&) { + if (!_clipStack.empty()) { + _clipStack.setClippathLoaded(true); + _path.clear(); + } +} + + +/** Assigns a new clipping path to the graphics state using the current path. + * If the graphics state already contains a clipping path, the new one is + * computed by intersecting the current clipping path with the current graphics + * path (see PS language reference, 3rd edition, pp. 193, 542) + * @param[in] p not used + * @param[in] evenodd true: use even-odd fill algorithm, false: use nonzero fill algorithm */ +void PsSpecialHandler::clip (vector<double> &, bool evenodd) { + clip(_path, evenodd); +} + + +/** Assigns a new clipping path to the graphics state using the current path. + * If the graphics state already contains a clipping path, the new one is + * computed by intersecting the current one with the given path. + * @param[in] path path used to restrict the clipping region + * @param[in] evenodd true: use even-odd fill algorithm, false: use nonzero fill algorithm */ +void PsSpecialHandler::clip (Path &path, bool evenodd) { + // when this method is called, _path contains the clipping path + if (path.empty() || !_actions) + return; + + Path::WindingRule windingRule = evenodd ? Path::WR_EVEN_ODD : Path::WR_NON_ZERO; + path.setWindingRule(windingRule); + + if (!_actions->getMatrix().isIdentity()) + path.transform(_actions->getMatrix()); + + int oldID = _clipStack.topID(); + + ostringstream oss; + if (!COMPUTE_CLIPPATHS_INTERSECTIONS || oldID < 1) { + _clipStack.replace(path); + path.writeSVG(oss, SVGTree::RELATIVE_PATH_CMDS); + } + else { + // compute the intersection of the current clipping path with the current graphics path + Path *oldPath = _clipStack.getPath(oldID); + Path intersectedPath(windingRule); + PathClipper clipper; + clipper.intersect(*oldPath, path, intersectedPath); + _clipStack.replace(intersectedPath); + intersectedPath.writeSVG(oss, SVGTree::RELATIVE_PATH_CMDS); + } + + XMLElementNode *pathElem = new XMLElementNode("path"); + pathElem->addAttribute("d", oss.str()); + if (evenodd) + pathElem->addAttribute("clip-rule", "evenodd"); + + int newID = _clipStack.topID(); + XMLElementNode *clipElem = new XMLElementNode("clipPath"); + clipElem->addAttribute("id", XMLString("clip")+XMLString(newID)); + if (!COMPUTE_CLIPPATHS_INTERSECTIONS && oldID) + clipElem->addAttribute("clip-path", XMLString("url(#clip")+XMLString(oldID)+")"); + + clipElem->append(pathElem); + _actions->appendToDefs(clipElem); +} + + +/** Applies a gradient fill to the current graphics path. Vector p contains the shading parameters + * in the following order: + * - shading type (6=Coons, 7=tensor product) + * - color space (1=gray, 3=rgb, 4=cmyk) + * - 1.0 followed by the background color components based on the declared color space, or 0.0 + * - 1.0 followed by the bounding box coordinates, or 0.0 + * - geometry and color parameters depending on the shading type */ +void PsSpecialHandler::shfill (vector<double> ¶ms) { + if (params.size() < 9) + return; + + // collect common data relevant for all shading types + int shadingTypeID = static_cast<int>(params[0]); + ColorSpace colorSpace = Color::RGB_SPACE; + switch (static_cast<int>(params[1])) { + case 1: colorSpace = Color::GRAY_SPACE; break; + case 3: colorSpace = Color::RGB_SPACE; break; + case 4: colorSpace = Color::CMYK_SPACE; break; + } + VectorIterator<double> it = params; + it += 2; // skip shading type and color space + // Get color to fill the whole mesh area before drawing the gradient colors on top of that background. + // This is an optional parameter to shfill. + bool bgcolorGiven = static_cast<bool>(*it++); + Color bgcolor; + if (bgcolorGiven) + bgcolor.set(colorSpace, it); + // Get clipping rectangle to limit the drawing area of the gradient mesh. + // This is an optional parameter to shfill too. + bool bboxGiven = static_cast<bool>(*it++); + if (bboxGiven) { // bounding box given + Path bboxPath; + const double &x1 = *it++; + const double &y1 = *it++; + const double &x2 = *it++; + const double &y2 = *it++; + bboxPath.moveto(x1, y1); + bboxPath.lineto(x2, y1); + bboxPath.lineto(x2, y2); + bboxPath.lineto(x1, y2); + bboxPath.closepath(); + clip(bboxPath, false); + } + try { + if (shadingTypeID == 5) + processLatticeTriangularPatchMesh(colorSpace, it); + else + processSequentialPatchMesh(shadingTypeID, colorSpace, it); + } + catch (ShadingException &e) { + Message::estream(false) << "PostScript error: " << e.what() << '\n'; + it.invalidate(); // stop processing the remaining patch data + } + catch (IteratorException &e) { + Message::estream(false) << "PostScript error: incomplete shading data\n"; + } + if (bboxGiven) + _clipStack.pop(); +} + + +/** Reads position and color data of a single shading patch from the data vector. + * @param[in] shadingTypeID PS shading type ID identifying the format of the subsequent patch data + * @param[in] edgeflag edge flag specifying how to connect the current patch to the preceding one + * @param[in] cspace color space used to compute the color gradient + * @param[in,out] it iterator used to sequentially access the patch data + * @param[out] points the points defining the geometry of the patch + * @param[out] colors the colors assigned to the vertices of the patch */ +static void read_patch_data (ShadingPatch &patch, int edgeflag, + VectorIterator<double> &it, vector<DPair> &points, vector<Color> &colors) +{ + // number of control points and colors required to define a single patch + int numPoints = patch.numPoints(edgeflag); + int numColors = patch.numColors(edgeflag); + points.resize(numPoints); + colors.resize(numColors); + if (patch.psShadingType() == 4) { + // format of a free-form triangular patch definition, where eN denotes + // the edge of the corresponding vertex: + // edge flag = 0, x1, y1, {color1}, e2, x2, y2, {color2}, e3, x3, y3, {color3} + // edge flag > 0, x1, y1, {color1} + for (int i=0; i < numPoints; i++) { + if (i > 0) ++it; // skip redundant edge flag from free-form triangular patch + double x = *it++; + double y = *it++; + points[i] = DPair(x, y); + colors[i].set(patch.colorSpace(), it); + } + } + else if (patch.psShadingType() == 6 || patch.psShadingType() == 7) { + // format of each Coons/tensor product patch definition: + // edge flag = 0, x1, y1, ... , xn, yn, {color1}, {color2}, {color3}, {color4} + // edge flag > 0, x5, y5, ... , xn, yn, {color3}, {color4} + for (int i=0; i < numPoints; i++) { + double x = *it++; + double y = *it++; + points[i] = DPair(x, y); + } + for (int i=0; i < numColors; i++) + colors[i].set(patch.colorSpace(), it); + } +} + + +class ShadingCallback : public ShadingPatch::Callback { + public: + ShadingCallback (SpecialActions *actions, XMLElementNode *parent, int clippathID) + : _actions(actions), _group(new XMLElementNode("g")) + { + if (parent) + parent->append(_group); + else + actions->appendToPage(_group); + if (clippathID > 0) + _group->addAttribute("clip-path", XMLString("url(#clip")+XMLString(clippathID)+")"); + } + + void patchSegment (GraphicPath<double> &path, const Color &color) { + if (!_actions->getMatrix().isIdentity()) + path.transform(_actions->getMatrix()); + + // draw a single patch segment + ostringstream oss; + path.writeSVG(oss, SVGTree::RELATIVE_PATH_CMDS); + XMLElementNode *pathElem = new XMLElementNode("path"); + pathElem->addAttribute("d", oss.str()); + pathElem->addAttribute("fill", color.rgbString()); + _group->append(pathElem); + } + + private: + SpecialActions *_actions; + XMLElementNode *_group; +}; + + +/** Handle all patch meshes whose patches and their connections can be processed sequentially. + * This comprises free-form triangular, Coons, and tensor-product patch meshes. */ +void PsSpecialHandler::processSequentialPatchMesh (int shadingTypeID, ColorSpace colorSpace, VectorIterator<double> &it) { + auto_ptr<ShadingPatch> previousPatch; + while (it.valid()) { + int edgeflag = static_cast<int>(*it++); + vector<DPair> points; + vector<Color> colors; + auto_ptr<ShadingPatch> patch; + + patch = auto_ptr<ShadingPatch>(ShadingPatch::create(shadingTypeID, colorSpace)); + read_patch_data(*patch, edgeflag, it, points, colors); + patch->setPoints(points, edgeflag, previousPatch.get()); + patch->setColors(colors, edgeflag, previousPatch.get()); + ShadingCallback callback(_actions, _xmlnode, _clipStack.topID()); +#if 0 + if (bgcolorGiven) { + // fill whole patch area with given background color + GraphicPath<double> outline; + patch->getBoundaryPath(outline); + callback.patchSegment(outline, bgcolor); + } +#endif + patch->approximate(SHADING_SEGMENT_SIZE, SHADING_SEGMENT_OVERLAP, SHADING_SIMPLIFY_DELTA, callback); + if (!_xmlnode) { + // update bounding box + BoundingBox bbox; + patch->getBBox(bbox); + bbox.transform(_actions->getMatrix()); + _actions->embed(bbox); + } + previousPatch = patch; + } +} + + +struct PatchVertex { + DPair point; + Color color; +}; + + +void PsSpecialHandler::processLatticeTriangularPatchMesh (ColorSpace colorSpace, VectorIterator<double> &it) { + int verticesPerRow = static_cast<int>(*it++); + if (verticesPerRow < 2) + return; + + // hold two adjacent rows of vertices and colors + vector<PatchVertex> row1(verticesPerRow); + vector<PatchVertex> row2(verticesPerRow); + vector<PatchVertex> *rowptr1 = &row1; + vector<PatchVertex> *rowptr2 = &row2; + // read data of first row + for (int i=0; i < verticesPerRow; i++) { + PatchVertex &vertex = (*rowptr1)[i]; + vertex.point.x(*it++); + vertex.point.y(*it++); + vertex.color.set(colorSpace, it); + } + LatticeTriangularPatch patch(colorSpace); + ShadingCallback callback(_actions, _xmlnode, _clipStack.topID()); + while (it.valid()) { + // read next row + for (int i=0; i < verticesPerRow; i++) { + PatchVertex &vertex = (*rowptr2)[i]; + vertex.point.x(*it++); + vertex.point.y(*it++); + vertex.color.set(colorSpace, it); + } + // create triangular patches for the vertices of the two rows + for (int i=0; i < verticesPerRow-1; i++) { + const PatchVertex &v1 = (*rowptr1)[i], &v2 = (*rowptr1)[i+1]; + const PatchVertex &v3 = (*rowptr2)[i], &v4 = (*rowptr2)[i+1]; + patch.setPoints(v1.point, v2.point, v3.point); + patch.setColors(v1.color, v2.color, v3.color); + patch.approximate(SHADING_SEGMENT_SIZE, SHADING_SEGMENT_OVERLAP, SHADING_SIMPLIFY_DELTA, callback); + + patch.setPoints(v2.point, v3.point, v4.point); + patch.setColors(v2.color, v3.color, v4.color); + patch.approximate(SHADING_SEGMENT_SIZE, SHADING_SEGMENT_OVERLAP, SHADING_SIMPLIFY_DELTA, callback); + } + swap(rowptr1, rowptr2); + } +} + + +/** Clears current path */ +void PsSpecialHandler::newpath (vector<double> &p) { + bool drawing = (p[0] > 0); + if (!drawing || !_clipStack.clippathLoaded()) { + _path.clear(); + _clipStack.setClippathLoaded(false); + } +} + + +void PsSpecialHandler::setmatrix (vector<double> &p) { + if (_actions) { + Matrix m; + create_matrix(p, 0, m); + _actions->setMatrix(m); + } +} + + +// In contrast to SVG, PostScript transformations are applied in +// reverse order (M' = T*M). Thus, the transformation matrices must be +// left-multiplied in the following methods scale(), translate() and rotate(). + + +void PsSpecialHandler::scale (vector<double> &p) { + if (_actions) { + Matrix m = _actions->getMatrix(); + ScalingMatrix s(p[0], p[1]); + m.lmultiply(s); + _actions->setMatrix(m); + } +} + + +void PsSpecialHandler::translate (vector<double> &p) { + if (_actions) { + Matrix m = _actions->getMatrix(); + TranslationMatrix t(p[0], p[1]); + m.lmultiply(t); + _actions->setMatrix(m); + } +} + + +void PsSpecialHandler::rotate (vector<double> &p) { + if (_actions) { + Matrix m = _actions->getMatrix(); + RotationMatrix r(p[0]); + m.lmultiply(r); + _actions->setMatrix(m); + } +} + + +void PsSpecialHandler::setgray (vector<double> &p) { + _pattern = 0; + _currentcolor.setGray(p[0]); + if (_actions) + _actions->setColor(_currentcolor); +} + + +void PsSpecialHandler::setrgbcolor (vector<double> &p) { + _pattern= 0; + _currentcolor.setRGB(p[0], p[1], p[2]); + if (_actions) + _actions->setColor(_currentcolor); +} + + +void PsSpecialHandler::setcmykcolor (vector<double> &p) { + _pattern = 0; + _currentcolor.setCMYK(p[0], p[1], p[2], p[3]); + if (_actions) + _actions->setColor(_currentcolor); +} + + +void PsSpecialHandler::sethsbcolor (vector<double> &p) { + _pattern = 0; + _currentcolor.setHSB(p[0], p[1], p[2]); + if (_actions) + _actions->setColor(_currentcolor); +} + + +/** Sets the dash parameters used for stroking. + * @param[in] p dash pattern array m1,...,mn plus trailing dash offset */ +void PsSpecialHandler::setdash (vector<double> &p) { + _dashpattern.clear(); + for (size_t i=0; i < p.size()-1; i++) + _dashpattern.push_back(scale(p[i])); + _dashoffset = scale(p.back()); +} + + +/** This method is called by the PSInterpreter if an PS operator has been executed. */ +void PsSpecialHandler::executed () { + if (_actions) + _actions->progress("ps"); +} + +//////////////////////////////////////////// + +void PsSpecialHandler::ClippingStack::pushEmptyPath () { + if (!_stack.empty()) + _stack.push(Entry(0, -1)); +} + + +void PsSpecialHandler::ClippingStack::push (const Path &path, int saveID) { + if (path.empty()) + _stack.push(Entry(0, saveID)); + else { + _paths.push_back(path); + _stack.push(Entry(_paths.size(), saveID)); + } +} + + +/** Pops a single or several elements from the clipping stack. + * The method distingushes between the following cases: + * 1) saveID < 0 and grestoreall == false: + * pop top element if it was pushed by gsave (its saveID is < 0 as well) + * 2) saveID < 0 and grestoreall == true + * repeat popping until stack is empty or the top element was pushed + * by save (its saveID is >= 0) + * 3) saveID >= 0: + * pop all elements until the saveID of the top element equals parameter saveID */ +void PsSpecialHandler::ClippingStack::pop (int saveID, bool grestoreall) { + if (!_stack.empty()) { + if (saveID < 0) { // grestore? + if (_stack.top().saveID < 0) // pushed by 'gsave'? + _stack.pop(); + // pop all further elements pushed by 'gsave' if grestoreall == true + while (grestoreall && !_stack.empty() && _stack.top().saveID < 0) + _stack.pop(); + } + else { + // pop elements pushed by 'gsave' + while (!_stack.empty() && _stack.top().saveID != saveID) + _stack.pop(); + // pop element pushed by 'save' + if (!_stack.empty()) + _stack.pop(); + } + } +} + + +/** Returns a pointer to the path on top of the stack, or 0 if the stack is empty. */ +const PsSpecialHandler::Path* PsSpecialHandler::ClippingStack::top () const { + return (!_stack.empty() && _stack.top().pathID) + ? &_paths[_stack.top().pathID-1] + : 0; +} + + +PsSpecialHandler::Path* PsSpecialHandler::ClippingStack::getPath (size_t id) { + return (id > 0 && id <= _paths.size()) ? &_paths[id-1] : 0; +} + + +/** Returns true if the clipping path was loaded into the graphics path (via PS operator 'clippath') */ +bool PsSpecialHandler::ClippingStack::clippathLoaded () const { + return !_stack.empty() && _stack.top().cpathLoaded; +} + + +void PsSpecialHandler::ClippingStack::setClippathLoaded (bool loaded) { + if (_stack.empty()) + return; + _stack.top().cpathLoaded = loaded; +} + + +/** Pops all elements from the stack. */ +void PsSpecialHandler::ClippingStack::clear() { + _paths.clear(); + while (!_stack.empty()) + _stack.pop(); +} + + +/** Replaces the top element by a new one. + * @param[in] path new path to be on top of the stack */ +void PsSpecialHandler::ClippingStack::replace (const Path &path) { + if (_stack.empty()) + push(path, -1); + else { + _paths.push_back(path); + _stack.top().pathID = _paths.size(); + } +} + + +/** Duplicates the top element, i.e. the top element is pushed again. */ +void PsSpecialHandler::ClippingStack::dup (int saveID) { + _stack.push(_stack.empty() ? Entry(0, -1) : _stack.top()); + _stack.top().saveID = saveID; +} + + +const char** PsSpecialHandler::prefixes () const { + static const char *pfx[] = {"header=", "psfile=", "PSfile=", "ps:", "ps::", "!", "\"", 0}; + return pfx; +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PsSpecialHandler.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PsSpecialHandler.h new file mode 100644 index 00000000000..38c04c50afa --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/PsSpecialHandler.h @@ -0,0 +1,169 @@ +/************************************************************************* +** PsSpecialHandler.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_PSSPECIALHANDLER_H +#define DVISVGM_PSSPECIALHANDLER_H + +#include <set> +#include <stack> +#include <string> +#include <vector> +#include "GraphicPath.h" +#include "PSInterpreter.h" +#include "SpecialHandler.h" +#include "PSPattern.h" +#include "PSPreviewFilter.h" + + +class PSPattern; +class XMLElementNode; + +class PsSpecialHandler : public SpecialHandler, public DVIEndPageListener, protected PSActions +{ + typedef GraphicPath<double> Path; + typedef std::vector<double>::const_iterator DoubleVecIt; + typedef Color::ColorSpace ColorSpace; + + class ClippingStack + { + public: + void pushEmptyPath (); + void push (const Path &path, int saveID=-1); + void replace (const Path &path); + void dup (int saveID=-1); + void pop (int saveID=-1, bool grestore=false); + void clear (); + bool empty () const {return _stack.empty();} + bool clippathLoaded () const; + void setClippathLoaded (bool loaded); + const Path* top () const; + Path* getPath (size_t id); + int topID () const {return _stack.empty() ? 0 : _stack.top().pathID;} + + private: + struct Entry { + int pathID; ///< index referencing a path of the pool + int saveID; ///< if >=0, path was pushed by 'save', and saveID holds the ID of the + bool cpathLoaded; ///< true if clipping path was loaded into current path + Entry (int pid, int sid) : pathID(pid), saveID(sid), cpathLoaded(false) {} + }; + std::vector<Path> _paths; ///< pool of all clipping paths + std::stack<Entry> _stack; + }; + + enum PsSection {PS_NONE, PS_HEADERS, PS_BODY}; + + public: + PsSpecialHandler (); + ~PsSpecialHandler (); + const char* name () const {return "ps";} + const char* info () const {return "dvips PostScript specials";} + const char** prefixes () const; + void preprocess (const char *prefix, std::istream &is, SpecialActions *actions); + bool process (const char *prefix, std::istream &is, SpecialActions *actions); + void setDviScaleFactor (double dvi2bp) {_previewFilter.setDviScaleFactor(dvi2bp);} + void enterBodySection (); + + public: + static bool COMPUTE_CLIPPATHS_INTERSECTIONS; + static bool SHADING_SEGMENT_OVERLAP; + static int SHADING_SEGMENT_SIZE; + static double SHADING_SIMPLIFY_DELTA; + + protected: + void initialize (); + void moveToDVIPos (); + void executeAndSync (std::istream &is, bool updatePos); + void processHeaderFile (const char *fname); + void psfile (const std::string &fname, const std::map<std::string,std::string> &attr); + void dviEndPage (unsigned pageno); + void clip (Path &path, bool evenodd); + void processSequentialPatchMesh (int shadingTypeID, ColorSpace cspace, VectorIterator<double> &it); + void processLatticeTriangularPatchMesh (ColorSpace colorSpace, VectorIterator<double> &it); + + /// scale given value by current PS scale factors + double scale (double v) const {return v*(_sx*_cos*_cos + _sy*(1-_cos*_cos));} + + void applyscalevals (std::vector<double> &p) {_sx = p[0]; _sy = p[1]; _cos = p[2];} + void clip (std::vector<double> &p) {clip(p, false);} + void clip (std::vector<double> &p, bool evenodd); + void clippath (std::vector<double> &p); + void closepath (std::vector<double> &p); + void curveto (std::vector<double> &p); + void eoclip (std::vector<double> &p) {clip(p, true);} + void eofill (std::vector<double> &p) {fill(p, true);} + void fill (std::vector<double> &p, bool evenodd); + void fill (std::vector<double> &p) {fill(p, false);} + void grestore (std::vector<double> &p); + void grestoreall (std::vector<double> &p); + void gsave (std::vector<double> &p); + void initclip (std::vector<double> &p); + void lineto (std::vector<double> &p); + void makepattern (std::vector<double> &p); + void moveto (std::vector<double> &p); + void newpath (std::vector<double> &p); + void querypos (std::vector<double> &p) {_currentpoint = DPair(p[0], p[1]);} + void restore (std::vector<double> &p); + void rotate (std::vector<double> &p); + void save (std::vector<double> &p); + void scale (std::vector<double> &p); + void setcmykcolor (std::vector<double> &cmyk); + void setdash (std::vector<double> &p); + void setgray (std::vector<double> &p); + void sethsbcolor (std::vector<double> &hsb); + void setlinecap (std::vector<double> &p) {_linecap = UInt8(p[0]);} + void setlinejoin (std::vector<double> &p) {_linejoin = UInt8(p[0]);} + void setlinewidth (std::vector<double> &p) {_linewidth = p[0] ? scale(p[0])*1.00375 : 0.5;} + void setmatrix (std::vector<double> &p); + void setmiterlimit (std::vector<double> &p) {_miterlimit = p[0]*1.00375;} + void setopacityalpha (std::vector<double> &p){_opacityalpha = p[0];} + void setpattern (std::vector<double> &p); + void setrgbcolor (std::vector<double> &rgb); + void shfill (std::vector<double> &p); + void stroke (std::vector<double> &p); + void translate (std::vector<double> &p); + void executed (); + + private: + PSInterpreter _psi; + SpecialActions *_actions; + PSPreviewFilter _previewFilter; ///< filter to extract information generated by the preview package + PsSection _psSection; ///< current section processed (nothing yet, headers, or body specials) + XMLElementNode *_xmlnode; ///< if != 0, created SVG elements are appended to this node + XMLElementNode *_savenode; ///< pointer to temporaryly store _xmlnode + std::string _headerCode; ///< collected literal PS header code + Path _path; + DPair _currentpoint; ///< current PS position in bp units + Color _currentcolor; ///< current stroke/fill color + double _sx, _sy; ///< horizontal and vertical scale factors retrieved by operator "applyscalevals" + double _cos; ///< cosine of angle between (1,0) and transform(1,0) + double _linewidth; ///< current linewidth + double _miterlimit; ///< current miter limit + double _opacityalpha; ///< opacity level (0=fully transparent, ..., 1=opaque) + UInt8 _linecap : 2; ///< current line cap (0=butt, 1=round, 2=projecting square) + UInt8 _linejoin : 2; ///< current line join (0=miter, 1=round, 2=bevel) + double _dashoffset; ///< current dash offset + std::vector<double> _dashpattern; + ClippingStack _clipStack; + std::map<int, PSPattern*> _patterns; + PSTilingPattern *_pattern; ///< current pattern +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/RangeMap.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/RangeMap.cpp new file mode 100644 index 00000000000..ba9a9463b70 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/RangeMap.cpp @@ -0,0 +1,188 @@ +/************************************************************************* +** RangeMap.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include "RangeMap.h" + +using namespace std; + + +/** Tries to merge range r into this one. This is only possible if the ranges + * touch or overlap and if the assigned values match at the junction points. + * @param[in] r range to join + * @return true if join was successful */ +bool RangeMap::Range::join (const Range &r) { + // check most common cases first + if (_max+1 < r._min || _min-1 > r._max) // disjoint ranges? + return false; + if (r._min-1 == _max) { // does r touch *this on the right? + if (valueAt(r._min) == r._minval) { + _max = r._max; + return true; + } + return false; + } + if (r._max+1 == _min) { // does r touch *this on the left + if (r.valueAt(_min) == _minval) { + setMinAndAdaptValue(r._min); + return true; + } + return false; + } + // the following cases should be pretty rare + if (r._min <= _min && r._max >= _max) { // does r overlap *this on both sides? + *this = r; + return true; + } + if (r._min < _min) { // left overlap only? + if (r.valueAt(_min) == _minval) { + _min = r._min; + _minval = r._minval; + return true; + } + return false; + } + if (r._max > _max) { // right overlap only? + if (valueAt(r._min) == r._minval) { + _max = r._max; + return true; + } + return false; + } + // r completely inside *this + return valueAt(r._min) == r._minval; +} + + +/** Adds a new number range. The range describes a mapping from c to v(c), where + * \f$c \in [cmin,cmax]\f$ and \f$v(cmin):=vmin, v(c):=vmin+c-cmin\f$. + * @param[in] cmin smallest number in the range + * @param[in] cmax largest number in the range + * @param[in] vmin map value of cmin */ +void RangeMap::addRange (UInt32 cmin, UInt32 cmax, UInt32 vmin) { + if (cmin > cmax) + swap(cmin, cmax); + + Range range(cmin, cmax, vmin); + if (_ranges.empty()) + _ranges.push_back(range); + else { + // check for simple cases that can be handled pretty fast + Range &lrange = *_ranges.begin(); + Range &rrange = *_ranges.rbegin(); + if (cmin > rrange.max()) { // non-overlapping range at end of vector? + if (!rrange.join(range)) + _ranges.push_back(range); + } + else if (cmax < lrange.min()) { // non-overlapping range at begin of vector? + if (!lrange.join(range)) + _ranges.insert(_ranges.begin(), range); + } + else { + // ranges overlap and/or must be inserted somewhere inside the vector + Ranges::iterator it = lower_bound(_ranges.begin(), _ranges.end(), range); + const bool at_end = (it == _ranges.end()); + if (at_end) + --it; + if (!it->join(range) && (it == _ranges.begin() || !(it-1)->join(range))) { + if (it->min() < cmin && it->max() > cmax) { // new range completely inside an existing range? + //split existing range + UInt32 itmax = it->max(); + it->max(cmin-1); + it = _ranges.insert(it+1, Range(cmax+1, itmax, it->valueAt(cmax+1))); + } + else if (at_end) // does new range overlap right side of last range in vector? + it = _ranges.end(); // => append new range at end of vector + it = _ranges.insert(it, range); + } + adaptNeighbors(it); // resolve overlaps + } + } +} + + +/** Adapts the left and right neighbor elements of a newly inserted range. + * The new range could overlap ranges in the neighborhood so that those must be + * adapted or removed. All ranges in the range vector are ordered ascendingly, i.e. + * [min_1, max_1],...,[min_n, max_n] where min_i < min_j for all i < j. + * @param[in] it pointer to the newly inserted range */ +void RangeMap::adaptNeighbors (Ranges::iterator it) { + if (it != _ranges.end()) { + // adapt left neighbor + Ranges::iterator lit = it-1; // points to left neighbor + if (it != _ranges.begin() && it->min() <= lit->max()) { + bool left_neighbor_valid = (it->min() > 0 && it->min()-1 >= lit->min()); + if (left_neighbor_valid) // is adapted left neighbor valid? + lit->max(it->min()-1); // => assign new max value + if (!left_neighbor_valid || it->join(*lit)) + it = _ranges.erase(lit); + } + // remove right neighbors completely overlapped by *it + Ranges::iterator rit = it+1; // points to right neighbor + while (rit != _ranges.end() && it->max() >= rit->max()) { // complete overlap? + _ranges.erase(rit); + rit = it+1; + } + // adapt rightmost range partially overlapped by *it + if (rit != _ranges.end()) { + if (it->max() >= rit->min()) + rit->setMinAndAdaptValue(it->max()+1); + // try to merge right neighbor into *this + if (it->join(*rit)) + _ranges.erase(rit); // remove merged neighbor + } + } +} + + +/** Finds the index of the range that contains a given value c. + * @param[in] c find range that contains this value + * @return index of the range found, or -1 if range was not found */ +int RangeMap::lookup (UInt32 c) const { + // simple binary search + int left=0, right=_ranges.size()-1; + while (left <= right) { + int mid = (left+right)/2; + if (c < _ranges[mid].min()) + right = mid-1; + else if (c > _ranges[mid].max()) + left = mid+1; + else + return mid; + } + return -1; +} + + +UInt32 RangeMap::valueAt (UInt32 c) const { + int pos = lookup(c); + return pos < 0 ? 0 : _ranges[pos].valueAt(c); +} + + +ostream& RangeMap::Range::write (ostream& os) const { + return os << '[' << _min << ',' << _max << "] => " << _minval; +} + + +ostream& RangeMap::write (ostream& os) const { + for (size_t i=0; i < _ranges.size(); i++) + _ranges[i].write(os) << '\n'; + return os; +}
\ No newline at end of file diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/RangeMap.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/RangeMap.h new file mode 100644 index 00000000000..a1d2f139070 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/RangeMap.h @@ -0,0 +1,87 @@ +/************************************************************************* +** RangeMap.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_RANGEMAP_H +#define DVISVGM_RANGEMAP_H + +#include <algorithm> +#include <ostream> +#include <vector> +#include "types.h" + + +class RangeMap { + class Range + { + friend class RangeMap; + + public: + Range () : _min(0), _max(0), _minval(0) {} + + Range (UInt32 min, UInt32 max, UInt32 minval) : _min(min), _max(max), _minval(minval) { + if (_min > _max) + std::swap(_min, _max); + } + + UInt32 min () const {return _min;} + UInt32 max () const {return _max;} + UInt32 minval () const {return _minval;} + UInt32 maxval () const {return valueAt(_max);} + UInt32 valueAt (UInt32 c) const {return c-_min+_minval;} + bool operator < (const Range &r) const {return _min < r._min;} + std::ostream& write (std::ostream &os) const; + + protected: + void min (UInt32 m) {_min = m;} + void max (UInt32 m) {_max = m;} + void setMinAndAdaptValue (UInt32 c) {_minval = valueAt(c); _min = c;} + bool join (const Range &r); + + private: + UInt32 _min, _max; + UInt32 _minval; + }; + + typedef std::vector<Range> Ranges; + + public: + void addRange (UInt32 first, UInt32 last, UInt32 cid); + bool valueExists (UInt32 c) const {return lookup(c) >= 0;} + UInt32 valueAt (UInt32 c) const; + size_t size () const {return _ranges.size();} + bool empty () const {return _ranges.empty();} + void clear () {_ranges.clear();} + std::ostream& write (std::ostream &os) const; + + protected: + void adaptNeighbors (Ranges::iterator it); + int lookup (UInt32 c) const; + const Range& rangeAt (size_t n) const {return _ranges[n];} + + private: + Ranges _ranges; +}; + + +inline std::ostream& operator << (std::ostream& os, const RangeMap &rangemap) { + return rangemap.write(os); +} + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SVGOutput.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SVGOutput.cpp new file mode 100644 index 00000000000..26621d49303 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SVGOutput.cpp @@ -0,0 +1,174 @@ +/************************************************************************* +** SVGOutput.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <algorithm> +#include <cmath> +#include <iomanip> +#include <iostream> +#include <sstream> +#include "gzstream.h" +#include "Calculator.h" +#include "FileSystem.h" +#include "Message.h" +#include "SVGOutput.h" + + +using namespace std; + +SVGOutput::SVGOutput (const char *base, string pattern, int zipLevel) + : _path(base ? base : ""), + _pattern(pattern), + _stdout(base == 0), + _zipLevel(zipLevel), + _page(-1), + _os(0) +{ +} + + +/** Returns an output stream for the given page. + * @param[in] page number of current page + * @param[in] numPages total number of pages in the DVI file + * @return output stream for the given page */ +ostream& SVGOutput::getPageStream (int page, int numPages) const { + string fname = filename(page, numPages); + if (fname.empty()) { + delete _os; + _os = 0; + return cout; + } + if (page == _page) + return *_os; + + _page = page; + delete _os; + if (_zipLevel > 0) + _os = new ogzstream(fname.c_str(), _zipLevel); + else + _os = new ofstream(fname.c_str()); + if (!_os || !*_os) { + delete _os; + _os = 0; + throw MessageException("can't open file "+fname+" for writing"); + } + return *_os; +} + + +/** Returns the name of the SVG file containing the given page. + * @param[in] page number of current page + * @param[in] numPages total number of pages */ +string SVGOutput::filename (int page, int numPages) const { + if (_stdout) + return ""; + string pattern = _pattern; + expandFormatString(pattern, page, numPages); + // remove leading and trailing whitespace + stringstream trim; + trim << pattern; + pattern.clear(); + trim >> pattern; + // set and expand default pattern if necessary + if (pattern.empty()) { + pattern = numPages > 1 ? "%f-%p" : "%f"; + expandFormatString(pattern, page, numPages); + } + // append suffix if necessary + FilePath outpath(pattern, true); + if (outpath.suffix().empty()) + outpath.suffix(_zipLevel > 0 ? "svgz" : "svg"); + string abspath = outpath.absolute(); + string relpath = outpath.relative(); + return abspath.length() < relpath.length() ? abspath : relpath; +} + + +static int ilog10 (int n) { + int result = 0; + while (n >= 10) { + result++; + n /= 10; + } + return result; +} + + +/** Replace expressions in a given string by the corresponing values. + * Supported constructs: + * %f: basename of the current file (filename without suffix) + * %[0-9]?p: current page number + * %[0-9]?P: number of pages in DVI file + * %[0-9]?(expr): arithmetic expression */ +void SVGOutput::expandFormatString (string &str, int page, int numPages) const { + string result; + while (!str.empty()) { + size_t pos = str.find('%'); + if (pos == string::npos) { + result += str; + str.clear(); + } + else { + result += str.substr(0, pos); + str = str.substr(pos); + pos = 1; + ostringstream oss; + if (isdigit(str[pos])) { + oss << setw(str[pos]-'0') << setfill('0'); + pos++; + } + else { + oss << setw(ilog10(numPages)+1) << setfill('0'); + } + switch (str[pos]) { + case 'f': + result += _path.basename(); + break; + case 'p': + case 'P': + oss << (str[pos] == 'p' ? page : numPages); + result += oss.str(); + break; + case '(': { + size_t endpos = str.find(')', pos); + if (endpos == string::npos) + throw MessageException("missing ')' in filename pattern"); + else if (endpos-pos-1 > 1) { + try { + Calculator calculator; + calculator.setVariable("p", page); + calculator.setVariable("P", numPages); + oss << floor(calculator.eval(str.substr(pos, endpos-pos+1))); + result += oss.str(); + } + catch (CalculatorException &e) { + oss.str(""); + oss << "error in filename pattern (" << e.what() << ")"; + throw MessageException(oss.str()); + } + pos = endpos; + } + break; + } + } + str = str.substr(pos+1); + } + } + str = result; +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SVGOutput.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SVGOutput.h new file mode 100644 index 00000000000..b696a32b8f8 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SVGOutput.h @@ -0,0 +1,56 @@ +/************************************************************************* +** SVGOutput.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_SVGOUTPUT_H +#define DVISVGM_SVGOUTPUT_H + +#include <ostream> +#include <string> +#include "FilePath.h" + + +struct SVGOutputBase { + virtual ~SVGOutputBase () {} + virtual std::ostream& getPageStream (int page, int numPages) const =0; + virtual std::string filename (int page, int numPages) const =0; +}; + + +class SVGOutput : public SVGOutputBase +{ + public: + SVGOutput (const char *base=0, std::string pattern="", int zipLevel=0); + ~SVGOutput () {delete _os;} + std::ostream& getPageStream (int page, int numPages) const; + std::string filename (int page, int numPages) const; + + protected: + void expandFormatString (std::string &str, int page, int numPages) const; + + private: + FilePath _path; + std::string _pattern; + bool _stdout; ///< write to STDOUT? + int _zipLevel; ///< compression level + mutable int _page; ///< number of current page being written + mutable std::ostream *_os; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SVGTree.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SVGTree.cpp new file mode 100644 index 00000000000..32a4e1cfe6a --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SVGTree.cpp @@ -0,0 +1,479 @@ +/************************************************************************* +** SVGTree.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <algorithm> +#include <sstream> +#include <string> +#include "BoundingBox.h" +#include "DependencyGraph.h" +#include "DVIToSVG.h" +#include "Font.h" +#include "FontManager.h" +#include "SVGTree.h" +#include "XMLDocument.h" +#include "XMLNode.h" +#include "XMLString.h" + +using namespace std; + + +// static class variables +bool SVGTree::CREATE_STYLE=true; +bool SVGTree::USE_FONTS=true; +bool SVGTree::CREATE_USE_ELEMENTS=false; +bool SVGTree::RELATIVE_PATH_CMDS=false; +bool SVGTree::MERGE_CHARS=true; +double SVGTree::ZOOM_FACTOR=1.0; + + +SVGTree::SVGTree () : _vertical(false), _font(0), _color(Color::BLACK), _matrix(1) { + _xchanged = _ychanged = false; + _fontnum = 0; + reset(); +} + + +/** Clears the SVG tree and initializes the root element. */ +void SVGTree::reset () { + _doc.clear(); + _root = new XMLElementNode("svg"); + _root->addAttribute("version", "1.1"); + _root->addAttribute("xmlns", "http://www.w3.org/2000/svg"); + _root->addAttribute("xmlns:xlink", "http://www.w3.org/1999/xlink"); + _doc.setRootNode(_root); + _page = _text = _span = _defs = 0; +} + + +/** Sets the bounding box of the document. + * @param[in] bbox bounding box in PS point units */ +void SVGTree::setBBox (const BoundingBox &bbox) { + if (ZOOM_FACTOR >= 0) { + _root->addAttribute("width", XMLString(bbox.width()*ZOOM_FACTOR)+"pt"); + _root->addAttribute("height", XMLString(bbox.height()*ZOOM_FACTOR)+"pt"); + } + _root->addAttribute("viewBox", bbox.toSVGViewBox()); +} + + +void SVGTree::setColor (const Color &c) { + if (!_font.get() || _font.get()->color() == Color::BLACK) + _color.set(c); +} + + +void SVGTree::setFont (int num, const Font *font) { + _font.set(font); + _fontnum = num; + // set default color assigned to the font + if (font->color() != Color::BLACK && _color.get() != font->color()) + _color.set(font->color()); +} + + +/** Starts a new page. + * @param[in] pageno number of new page */ +void SVGTree::newPage (int pageno) { + _page = new XMLElementNode("g"); + if (pageno >= 0) + _page->addAttribute("id", string("page")+XMLString(pageno)); + _root->append(_page); + _text = _span = 0; + while (!_pageContainerStack.empty()) + _pageContainerStack.pop(); +} + + +void SVGTree::appendToDefs (XMLNode *node) { + if (!_defs) { + _defs = new XMLElementNode("defs"); + _root->prepend(_defs); + } + _defs->append(node); +} + + +void SVGTree::appendToPage (XMLNode *node) { + if (_pageContainerStack.empty()) + _page->append(node); + else + _pageContainerStack.top()->append(node); + if (node != _text) // if the appended node differ from text element currently in use, + _text = 0; // then force creating a new text element for the following characters +} + + +void SVGTree::prependToPage (XMLNode *node) { + if (_pageContainerStack.empty()) + _page->prepend(node); + else + _pageContainerStack.top()->prepend(node); +} + + +/** Appends a single charater to the current text node. If necessary, and depending on output mode + * and further output states, new XML elements (text, tspan, g, ...) are created. + * @param[in] c character to be added + * @param[in] x x coordinate + * @param[in] y y coordinate + * @param[in] font font to be used */ +void SVGTree::appendChar (int c, double x, double y, const Font &font) { + XMLElementNode *node=_span; + if (USE_FONTS) { + // changes of fonts and transformations require a new text element + if (!MERGE_CHARS || !_text || _font.changed() || _matrix.changed() || _vertical.changed()) { + newTextNode(x, y); + node = _text; + _color.changed(true); + } + if (MERGE_CHARS && (_xchanged || _ychanged || (_color.changed() && _color.get() != Color::BLACK))) { + // if drawing position was explicitly changed, create a new tspan element + _span = new XMLElementNode("tspan"); + if (_xchanged) { + if (_vertical) { + // align glyphs designed for horizontal layout properly + if (const PhysicalFont *pf = dynamic_cast<const PhysicalFont*>(_font.get())) + if (!pf->getMetrics()->verticalLayout()) + x += pf->scaledAscent()/2.5; // move vertical baseline to the right by strikethrough offset + } + _span->addAttribute("x", x); + _xchanged = false; + } + if (_ychanged) { + _span->addAttribute("y", y); + _ychanged = false; + } + if (_color.get() != font.color()) { + _span->addAttribute("fill", _color.get().rgbString()); + _color.changed(false); + } + _text->append(_span); + node = _span; + } + if (!node) { + if (!_text) + newTextNode(x, y); + node = _text; + } + node->append(XMLString(font.unicode(c), false)); + if (!MERGE_CHARS && _color.get() != font.color()) { + node->addAttribute("fill", _color.get().rgbString()); + _color.changed(false); + } + } + else { + if (_color.changed() || _matrix.changed()) { + bool set_color = (_color.changed() && _color.get() != Color::BLACK); + bool set_matrix = (_matrix.changed() && !_matrix.get().isIdentity()); + if (set_color || set_matrix) { + _span = new XMLElementNode("g"); + if (_color.get() != Color::BLACK) + _span->addAttribute("fill", _color.get().rgbString()); + if (!_matrix.get().isIdentity()) + _span->addAttribute("transform", _matrix.get().getSVG()); + appendToPage(_span); + node = _span; + _color.changed(false); + _matrix.changed(false); + } + else if (_color.get() == Color::BLACK && _matrix.get().isIdentity()) + node = _span = 0; + } + if (!node) + node = _pageContainerStack.empty() ? _page : _pageContainerStack.top(); + if (font.verticalLayout()) { + // move glyph graphics so that its origin is located at the top center position + GlyphMetrics metrics; + font.getGlyphMetrics(c, _vertical, metrics); + x -= metrics.wl; + if (const PhysicalFont *pf = dynamic_cast<const PhysicalFont*>(&font)) { + // Center glyph between top and bottom border of the TFM box. + // This is just an approximation used until I find a way to compute + // the exact location in vertical mode. + GlyphMetrics exact_metrics; + pf->getExactGlyphBox(c, exact_metrics, false); + y += exact_metrics.h+(metrics.d-exact_metrics.h-exact_metrics.d)/2; + } + else + y += metrics.d; + } + Matrix rotation(1); + if (_vertical && !font.verticalLayout()) { + // alphabetic text designed for horizontal mode + // must be rotated by 90 degrees if in vertical mode + rotation.translate(-x, -y); + rotation.rotate(90); + rotation.translate(x, y); + } + if (CREATE_USE_ELEMENTS) { + ostringstream oss; + oss << "#g" << FontManager::instance().fontID(_font) << '-' << c; + XMLElementNode *use = new XMLElementNode("use"); + use->addAttribute("x", XMLString(x)); + use->addAttribute("y", XMLString(y)); + use->addAttribute("xlink:href", oss.str()); + if (!rotation.isIdentity()) + use->addAttribute("transform", rotation.getSVG()); + node->append(use); + } + else { + Glyph glyph; + const PhysicalFont *pf = dynamic_cast<const PhysicalFont*>(&font); + if (pf && pf->getGlyph(c, glyph)) { + double sx = pf->scaledSize()/pf->unitsPerEm(); + double sy = -sx; + ostringstream oss; + glyph.writeSVG(oss, RELATIVE_PATH_CMDS, sx, sy, x, y); + XMLElementNode *glyph_node = new XMLElementNode("path"); + glyph_node->addAttribute("d", oss.str()); + if (!rotation.isIdentity()) + glyph_node->addAttribute("transform", rotation.getSVG()); + node->append(glyph_node); + } + } + } +} + + +/** Creates a new text element. This is a helper function used by appendChar(). + * @param[in] x current x coordinate + * @param[in] y current y coordinate */ +void SVGTree::newTextNode (double x, double y) { + _text = new XMLElementNode("text"); + _span = 0; // no tspan in text element yet + if (USE_FONTS) { + const Font *font = _font.get(); + if (CREATE_STYLE || !font) + _text->addAttribute("class", string("f")+XMLString(_fontnum)); + else { + _text->addAttribute("font-family", font->name()); + _text->addAttribute("font-size", XMLString(font->scaledSize())); + if (font->color() != Color::BLACK) + _text->addAttribute("fill", font->color().rgbString()); + } + if (_vertical) { + _text->addAttribute("writing-mode", "tb"); + // align glyphs designed for horizontal layout properly + if (const PhysicalFont *pf = dynamic_cast<const PhysicalFont*>(_font.get())) + if (!pf->getMetrics()->verticalLayout()) { // alphabetic text designed for horizontal layout? + x += pf->scaledAscent()/2.5; // move vertical baseline to the right by strikethrough offset + _text->addAttribute("glyph-orientation-vertical", 90); // ensure rotation + } + } + } + _text->addAttribute("x", x); + _text->addAttribute("y", y); + if (!_matrix.get().isIdentity()) + _text->addAttribute("transform", _matrix.get().getSVG()); + appendToPage(_text); + _vertical.changed(false); + _font.changed(false); + _matrix.changed(false); + _xchanged = false; + _ychanged = false; +} + + +void SVGTree::transformPage (const Matrix *usermatrix) { + if (usermatrix && !usermatrix->isIdentity()) + _page->addAttribute("transform", usermatrix->getSVG()); +} + + +/** Creates an SVG element for a single glyph. + * @param[in] c character number + * @param[in] font font to extract the glyph from + * @param[in] cb pointer to callback object for sending feedback to the glyph tracer (may be 0) + * @return pointer to element node if glyph exists, 0 otherwise */ +static XMLElementNode* createGlyphNode (int c, const PhysicalFont &font, GFGlyphTracer::Callback *cb) { + Glyph glyph; + if (!font.getGlyph(c, glyph, cb) || (!SVGTree::USE_FONTS && !SVGTree::CREATE_USE_ELEMENTS)) + return 0; + + double sx=1.0, sy=1.0; + double upem = font.unitsPerEm(); + XMLElementNode *glyph_node=0; + if (SVGTree::USE_FONTS) { + double extend = font.style() ? font.style()->extend : 1; + glyph_node = new XMLElementNode("glyph"); + glyph_node->addAttribute("unicode", XMLString(font.unicode(c), false)); + glyph_node->addAttribute("horiz-adv-x", XMLString(font.hAdvance(c)*extend)); + glyph_node->addAttribute("vert-adv-y", XMLString(font.vAdvance(c))); + string name = font.glyphName(c); + if (!name.empty()) + glyph_node->addAttribute("glyph-name", name); + } + else { + ostringstream oss; + oss << 'g' << FontManager::instance().fontID(&font) << '-' << c; + glyph_node = new XMLElementNode("path"); + glyph_node->addAttribute("id", oss.str()); + sx = font.scaledSize()/upem; + sy = -sx; + } + ostringstream oss; + glyph.writeSVG(oss, SVGTree::RELATIVE_PATH_CMDS, sx, sy); + glyph_node->addAttribute("d", oss.str()); + return glyph_node; +} + + +void SVGTree::appendFontStyles (const set<const Font*> &fonts) { + if (CREATE_STYLE && USE_FONTS && !fonts.empty() && _defs) { + XMLElementNode *styleNode = new XMLElementNode("style"); + styleNode->addAttribute("type", "text/css"); + _root->insertAfter(styleNode, _defs); + typedef map<int, const Font*> SortMap; + SortMap sortmap; + FORALL(fonts, set<const Font*>::const_iterator, it) + if (!dynamic_cast<const VirtualFont*>(*it)) // skip virtual fonts + sortmap[FontManager::instance().fontID(*it)] = *it; + ostringstream style; + // add font style definitions in ascending order + FORALL(sortmap, SortMap::const_iterator, it) { + style << "text.f" << it->first << ' ' + << "{font-family:" << it->second->name() + << ";font-size:" << XMLString(it->second->scaledSize()) << "px"; + if (it->second->color() != Color::BLACK) + style << ";fill:" << it->second->color().rgbString(); + style << "}\n"; + } + XMLCDataNode *cdata = new XMLCDataNode(style.str()); + styleNode->append(cdata); + } +} + + +/** Appends glyph definitions of a given font to the defs section of the SVG tree. + * @param[in] font font to be appended + * @param[in] chars codes of the characters whose glyph outlines should be appended + * @param[in] cb pointer to callback object for sending feedback to the glyph tracer (may be 0) */ +void SVGTree::append (const PhysicalFont &font, const set<int> &chars, GFGlyphTracer::Callback *cb) { + if (chars.empty()) + return; + + if (USE_FONTS) { + XMLElementNode *fontNode = new XMLElementNode("font"); + string fontname = font.name(); + fontNode->addAttribute("id", fontname); + fontNode->addAttribute("horiz-adv-x", XMLString(font.hAdvance())); + appendToDefs(fontNode); + + XMLElementNode *faceNode = new XMLElementNode("font-face"); + faceNode->addAttribute("font-family", fontname); + faceNode->addAttribute("units-per-em", XMLString(font.unitsPerEm())); + if (font.type() != PhysicalFont::MF && !font.verticalLayout()) { + faceNode->addAttribute("ascent", XMLString(font.ascent())); + faceNode->addAttribute("descent", XMLString(font.descent())); + } + fontNode->append(faceNode); + FORALL(chars, set<int>::const_iterator, i) + fontNode->append(createGlyphNode(*i, font, cb)); + } + else if (CREATE_USE_ELEMENTS && &font != font.uniqueFont()) { + // If the same character is used in various sizes, we don't want to embed the complete (lengthy) path + // descriptions multiple times. Because they would only differ by a scale factor, it's better to + // reference the already embedded path together with a transformation attribute and let the SVG renderer + // scale the glyphs properly. This is only necessary if we don't want to use font but path elements. + FORALL(chars, set<int>::const_iterator, it) { + ostringstream oss; + XMLElementNode *use = new XMLElementNode("use"); + oss << 'g' << FontManager::instance().fontID(&font) << '-' << *it; + use->addAttribute("id", oss.str()); + oss.str(""); + oss << "#g" << FontManager::instance().fontID(font.uniqueFont()) << '-' << *it; + use->addAttribute("xlink:href", oss.str()); + double scale = font.scaledSize()/font.uniqueFont()->scaledSize(); + if (scale != 1.0) { + oss.str(""); + oss << "scale(" << scale << ')'; + use->addAttribute("transform", oss.str()); + } + appendToDefs(use); + } + } + else { + FORALL(chars, set<int>::const_iterator, i) + appendToDefs(createGlyphNode(*i, font, cb)); + } +} + + +/** Pushes a new context element that will take all following nodes added to the page. */ +void SVGTree::pushContextElement (XMLElementNode *node) { + if (_pageContainerStack.empty()) + _page->append(node); + else + _pageContainerStack.top()->append(node); + _pageContainerStack.push(node); + _text = _span = 0; // ensure the creation of a new text element for the following characters added +} + + +/** Pops the current context element and restored the previous one. */ +void SVGTree::popContextElement () { + if (!_pageContainerStack.empty()) { + _pageContainerStack.pop(); + _text = _span = 0; // ensure the creation of a new text element for the following characters added + } +} + + +/** Extracts the ID from a local URL reference like url(#abcde) */ +inline string extract_id_from_url (const string &url) { + return url.substr(5, url.length()-6); +} + + +/** Removes elements present in the SVH tree that are not required. + * For now, only clipPath elements are removed. */ +void SVGTree::removeRedundantElements () { + vector<XMLElementNode*> clipElements; + if (!_defs || !_defs->getDescendants("clipPath", 0, clipElements)) + return; + + // collect dependencies between clipPath elements in the defs section of the SVG tree + DependencyGraph<string> idTree; + for (vector<XMLElementNode*>::iterator it=clipElements.begin(); it != clipElements.end(); ++it) { + if (const char *id = (*it)->getAttributeValue("id")) { + if (const char *url = (*it)->getAttributeValue("clip-path")) + idTree.insert(extract_id_from_url(url), id); + else + idTree.insert(id); + } + } + // collect elements that reference a clipPath (have a clip-path attribute) + vector<XMLElementNode*> descendants; + _page->getDescendants(0, "clip-path", descendants); + // remove referenced IDs and their dependencies from the dependency graph + for (vector<XMLElementNode*>::iterator it=descendants.begin(); it != descendants.end(); ++it) { + string idref = extract_id_from_url((*it)->getAttributeValue("clip-path")); + idTree.removeDependencyPath(idref); + } + descendants.clear(); + vector<string> ids; + idTree.getKeys(ids); + for (vector<string>::iterator it=ids.begin(); it != ids.end(); ++it) { + XMLElementNode *node = _defs->getFirstDescendant("clipPath", "id", it->c_str()); + _defs->remove(node); + } +} + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SVGTree.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SVGTree.h new file mode 100644 index 00000000000..a8d123a013d --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SVGTree.h @@ -0,0 +1,114 @@ +/************************************************************************* +** SVGTree.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_SVGTREE_H +#define DVISVGM_SVGTREE_H + +#include <map> +#include <set> +#include <stack> +#include "Color.h" +#include "GFGlyphTracer.h" +#include "Matrix.h" +#include "XMLDocument.h" +#include "XMLNode.h" + +class BoundingBox; +class Color; +struct Font; +class Matrix; +class PhysicalFont; + +class SVGTree +{ + template <typename T> + class Property { + public: + Property (const T &v) : _value(v), _changed(false) {} + + void set (const T &v) { + if (v != _value) { + _value = v; + _changed = true; + } + } + + const T& get () const {return _value;} + operator const T& () {return _value;} + bool changed () const {return _changed;} + void changed (bool c) {_changed = c;} + + private: + T _value; + bool _changed; + }; + + public: + SVGTree (); + void reset (); + void write (std::ostream &os) const {_doc.write(os);} + void newPage (int pageno); + void appendToDefs (XMLNode *node); + void appendToPage (XMLNode *node); + void prependToPage (XMLNode *node); + void appendToDoc (XMLNode *node) {_doc.append(node);} + void appendToRoot (XMLNode *node) {_root->append(node);} + void appendChar (int c, double x, double y, const Font &font); + void appendFontStyles (const std::set<const Font*> &fonts); + void append (const PhysicalFont &font, const std::set<int> &chars, GFGlyphTracer::Callback *cb=0); + void pushContextElement (XMLElementNode *node); + void popContextElement (); + void removeRedundantElements (); + void setBBox (const BoundingBox &bbox); + void setFont (int id, const Font *font); + void setX (double x) {_xchanged = true;} + void setY (double y) {_ychanged = true;} + void setMatrix (const Matrix &m) {_matrix.set(m);} + void setColor (const Color &c); + void setVertical (bool state) {_vertical.set(state);} + void transformPage (const Matrix *m); + const Color& getColor () const {return _color.get();} + const Matrix& getMatrix () const {return _matrix.get();} + XMLElementNode* rootNode () const {return _root;} + + public: + static bool USE_FONTS; ///< if true, create font references and don't draw paths directly + static bool CREATE_STYLE; ///< use style elements and class attributes to reference fonts? + static bool CREATE_USE_ELEMENTS; ///< allow generation of <use/> elements? + static bool RELATIVE_PATH_CMDS; ///< relative path commands rather than absolute ones? + static bool MERGE_CHARS; ///< whether to merge chars with common properties into the same <text> tag + static double ZOOM_FACTOR; ///< factor applied to width/height attribute + + protected: + void newTextNode (double x, double y); + + private: + XMLDocument _doc; + XMLElementNode *_root, *_page, *_text, *_span, *_defs; + bool _xchanged, _ychanged; + Property<bool> _vertical; ///< true if in vertical writing mode + Property<const Font*> _font; + Property<Color> _color; + Property<Matrix> _matrix; + int _fontnum; + std::stack<XMLElementNode*> _pageContainerStack; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/ShadingPatch.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/ShadingPatch.cpp new file mode 100644 index 00000000000..057f67f3f65 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/ShadingPatch.cpp @@ -0,0 +1,64 @@ +/************************************************************************* +** ShadingPatch.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <sstream> +#include "ShadingPatch.h" +#include "TensorProductPatch.h" +#include "TriangularPatch.h" + +using namespace std; + +/** Get functions to get/set the current color depending on the assigned color space. */ +void ShadingPatch::colorQueryFuncs (ColorGetter &getter, ColorSetter &setter) const { + switch (_colorspace) { + case Color::CMYK_SPACE: + getter = &Color::getCMYK; + setter = &Color::setCMYK; + break; + case Color::LAB_SPACE: + getter = &Color::getLab; + setter = &Color::setLab; + break; + case Color::RGB_SPACE: + getter = &Color::getRGB; + setter = &Color::setRGB; + break; + case Color::GRAY_SPACE: + getter = &Color::getGray; + setter = &Color::setGray; + } +} + + +/** Factory method: Creates a shading patch object depending on the given PostScript shading type. */ +ShadingPatch* ShadingPatch::create (int psShadingType, Color::ColorSpace cspace) { + switch (psShadingType) { + case 4: return new TriangularPatch(cspace); + case 5: return new LatticeTriangularPatch(cspace); + case 6: return new CoonsPatch(cspace); + case 7: return new TensorProductPatch(cspace); + } + ostringstream oss; + if (psShadingType > 0 && psShadingType < 4) + oss << "shading type " << psShadingType << " not supported"; + else + oss << "invalid shading type " << psShadingType; + throw ShadingException(oss.str()); +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/ShadingPatch.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/ShadingPatch.h new file mode 100644 index 00000000000..84c44041e5e --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/ShadingPatch.h @@ -0,0 +1,71 @@ +/************************************************************************* +** ShadingPatch.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_SHADINGPATCH_H +#define DVISVGM_SHADINGPATCH_H + +#include "Color.h" +#include "GraphicPath.h" +#include "MessageException.h" + + +class ShadingPatch +{ + public: + struct Callback { + virtual ~Callback () {} + virtual void patchSegment (GraphicPath<double> &path, const Color &color) =0; + }; + + typedef std::vector<DPair> PointVec; + typedef std::vector<Color> ColorVec; + + public: + ShadingPatch (Color::ColorSpace colorSpace) : _colorspace(colorSpace) {} + virtual ~ShadingPatch () {} + virtual int psShadingType () const =0; + virtual void approximate (int gridsize, bool overlap, double delta, Callback &callback) const =0; + virtual void getBBox (BoundingBox &bbox) const =0; + virtual void getBoundaryPath (GraphicPath<double> &path) const =0; + virtual void setPoints (const PointVec &points, int edgeflag, ShadingPatch *patch) =0; + virtual void setColors (const ColorVec &colors, int edgeflag, ShadingPatch *patch) =0; + virtual int numPoints (int edgeflag) const =0; + virtual int numColors (int edgeflag) const =0; + virtual Color averageColor() const =0; + Color::ColorSpace colorSpace () const {return _colorspace;} + static ShadingPatch* create (int psShadingType, Color::ColorSpace cspace); + + protected: + typedef void (Color::*ColorGetter)(std::valarray<double> &va) const; + typedef void (Color::*ColorSetter)(const std::valarray<double> &va); + void colorQueryFuncs (ColorGetter &getter, ColorSetter &setter) const; + + private: + Color::ColorSpace _colorspace; ///< color space used to compute the shading values +}; + + +struct ShadingException : public MessageException +{ + ShadingException (const std::string &msg) : MessageException(msg) {} +}; + +#endif + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SignalHandler.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SignalHandler.cpp new file mode 100644 index 00000000000..3af78a66012 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SignalHandler.cpp @@ -0,0 +1,86 @@ +/************************************************************************* +** SignalHandler.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <cerrno> +#include <csignal> +#include <cstdlib> +#include "SignalHandler.h" + +using namespace std; + +bool SignalHandler::_break = false; + + +SignalHandler::~SignalHandler() { + stop(); +} + + +/** Returns the singleton handler object. */ +SignalHandler& SignalHandler::instance() { + static SignalHandler handler; + return handler; +} + + +/** Starts listening to CTRL-C signals. + * @return true if handler was activated. */ +bool SignalHandler::start () { + if (!_active) { + _break = false; + if (signal(SIGINT, SignalHandler::callback) != SIG_ERR) { + _active = true; + return true; + } + } + return false; +} + + +/** Stops listening for CTRL-C signals. */ +void SignalHandler::stop () { + if (_active) { + signal(SIGINT, SIG_DFL); + _active = false; + } +} + + +/** Checks for incoming signals and throws an exception if CTRL-C was caught. + * @throw SignalException */ +void SignalHandler::check() { + if (_break) + throw SignalException(); +} + + +void SignalHandler::trigger (bool notify) { + _break = true; + if (notify) + check(); +} + + +/** This function is called on CTRL-C signals. */ +void SignalHandler::callback (int) { + _break = true; +} + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SignalHandler.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SignalHandler.h new file mode 100644 index 00000000000..25ee5fba118 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SignalHandler.h @@ -0,0 +1,50 @@ +/************************************************************************* +** SignalHandler.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_SIGNALHANDLER_H +#define DVISVGM_SIGNALHANDLER_H + +#include <exception> + +struct SignalException : public std::exception { +}; + + +class SignalHandler +{ + public: + ~SignalHandler (); + static SignalHandler& instance (); + bool start (); + void stop (); + void check (); + void trigger (bool notify); + bool active () const {return _active;} + + protected: + SignalHandler () : _active(false) {} + static void callback (int signal); + + private: + bool _active; ///< true if listening for signals + static bool _break; ///< true if signal has been caught +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SpecialActions.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SpecialActions.h new file mode 100644 index 00000000000..e0f35c78738 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SpecialActions.h @@ -0,0 +1,96 @@ +/************************************************************************* +** SpecialActions.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_SPECIALACTIONS_H +#define DVISVGM_SPECIALACTIONS_H + +#include <string> +#include "BoundingBox.h" +#include "Color.h" +#include "Matrix.h" + + +struct XMLNode; +class XMLElementNode; + +struct SpecialActions +{ + virtual ~SpecialActions () {} + virtual double getX () const =0; + virtual double getY () const =0; + virtual void setX (double x) =0; + virtual void setY (double y) =0; + virtual void finishLine () =0; + virtual void setColor (const Color &color) =0; + virtual Color getColor () const =0; + virtual void setMatrix (const Matrix &m) =0; + virtual const Matrix& getMatrix () const =0; + virtual void getPageTransform (Matrix &matrix) const =0; + virtual void setBgColor (const Color &color) =0; + virtual void appendToPage (XMLNode *node) =0; + virtual void appendToDefs (XMLNode *node) =0; + virtual void prependToPage (XMLNode *node) =0; + virtual void pushContextElement (XMLElementNode *node) =0; + virtual void popContextElement () =0; + virtual BoundingBox& bbox () =0; + virtual BoundingBox& bbox (const std::string &name, bool reset=false) =0; + virtual void embed (const BoundingBox &bbox) =0; + virtual void embed (const DPair &p, double r=0) =0; + virtual unsigned getCurrentPageNumber () const =0; + virtual std::string getSVGFilename (unsigned pageno) const =0; + virtual void progress (const char *id) {} + virtual int getDVIStackDepth () const {return 0;} + + static double PROGRESSBAR_DELAY; ///< progress bar doesn't appear before this time has elapsed (in sec) +}; + + +class EmptySpecialActions : public SpecialActions +{ + public: + double getX () const {return 0;} + double getY () const {return 0;} + void setX (double x) {} + void setY (double y) {} + void finishLine () {} + void setColor (const Color &color) {} + void setBgColor (const Color &color) {} + Color getColor () const {return Color::BLACK;} + void setMatrix (const Matrix &m) {} + const Matrix& getMatrix () const {return _matrix;} + void getPageTransform (Matrix &matrix) const {} + void appendToPage (XMLNode *node) {} + void appendToDefs (XMLNode *node) {} + void prependToPage (XMLNode *node) {} + void pushContextElement (XMLElementNode *node) {} + void popContextElement () {} + BoundingBox& bbox () {return _bbox;} + BoundingBox& bbox (const std::string &name, bool reset=false) {return _bbox;} + void embed (const BoundingBox &bbox) {} + void embed (const DPair &p, double r=0) {} + unsigned getCurrentPageNumber() const {return 0;} + std::string getSVGFilename (unsigned pageno) const {return "";} + + private: + BoundingBox _bbox; + Matrix _matrix; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SpecialHandler.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SpecialHandler.h new file mode 100644 index 00000000000..1924bf12102 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SpecialHandler.h @@ -0,0 +1,74 @@ +/************************************************************************* +** SpecialHandler.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_SPECIALHANDLER_H +#define DVISVGM_SPECIALHANDLER_H + +#include <istream> +#include <list> +#include "MessageException.h" + + +struct SpecialActions; +class SpecialManager; + + +struct SpecialException : public MessageException +{ + SpecialException (const std::string &msg) : MessageException(msg) {} +}; + + +struct DVIPreprocessingListener +{ + virtual ~DVIPreprocessingListener () {} + virtual void dviPreprocessingFinished () =0; +}; + + +struct DVIEndPageListener +{ + virtual ~DVIEndPageListener () {} + virtual void dviEndPage (unsigned pageno) =0; +}; + + +struct DVIPositionListener +{ + virtual ~DVIPositionListener () {} + virtual void dviMovedTo (double x, double y) =0; +}; + + +struct SpecialHandler +{ + friend class SpecialManager; + + virtual ~SpecialHandler () {} + virtual const char** prefixes () const=0; + virtual const char* info () const=0; + virtual const char* name () const=0; + virtual void setDviScaleFactor (double dvi2bp) {} + virtual void preprocess (const char *prefix, std::istream &is, SpecialActions *actions) {} + virtual bool process (const char *prefix, std::istream &is, SpecialActions *actions)=0; +}; + + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SpecialManager.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SpecialManager.cpp new file mode 100644 index 00000000000..6699b9ee0c7 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SpecialManager.cpp @@ -0,0 +1,183 @@ +/************************************************************************* +** SpecialManager.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <iomanip> +#include <sstream> +#include "SpecialActions.h" +#include "SpecialHandler.h" +#include "SpecialManager.h" +#include "PsSpecialHandler.h" +#include "macros.h" + +using namespace std; + +double SpecialActions::PROGRESSBAR_DELAY=1000; // initial delay in seconds (values >= 1000 disable the progressbar) + + +SpecialManager::~SpecialManager () { + unregisterHandlers(); +} + + +SpecialManager& SpecialManager::instance() { + static SpecialManager sm; + return sm; +} + + +/** Remove all registered handlers. */ +void SpecialManager::unregisterHandlers () { + FORALL(_pool, vector<SpecialHandler*>::iterator, it) + delete *it; + _pool.clear(); + _handlers.clear(); + _endPageListeners.clear(); + _positionListeners.clear(); +} + + +/** Registers a single special handler. This method doesn't check if a + * handler of the same class is already registered. + * @param[in] handler pointer to handler to be registered */ +void SpecialManager::registerHandler (SpecialHandler *handler) { + if (handler) { + // get array of prefixes this handler is responsible for + _pool.push_back(handler); + for (const char **p=handler->prefixes(); *p; ++p) + _handlers[*p] = handler; + if (DVIPreprocessingListener *listener = dynamic_cast<DVIPreprocessingListener*>(handler)) + _preprocListeners.push_back(listener); + if (DVIEndPageListener *listener = dynamic_cast<DVIEndPageListener*>(handler)) + _endPageListeners.push_back(listener); + if (DVIPositionListener *listener = dynamic_cast<DVIPositionListener*>(handler)) + _positionListeners.push_back(listener); + } +} + + +/** Registers several special handlers at once. + * If ignorelist == 0, all given handlers are registered. To exclude selected sets of + * specials, the corresponding names can be given separated by non alpha-numeric characters, + * e.g. "color, ps, em" or "color: ps em" etc. + * @param[in] handlers pointer to zero-terminated array of handlers to be registered + * @param[in] ignorelist list of special names to be ignored */ +void SpecialManager::registerHandlers (SpecialHandler **handlers, const char *ignorelist) { + if (handlers) { + string ign = ignorelist ? ignorelist : ""; + FORALL(ign, string::iterator, it) + if (!isalnum(*it)) + *it = '%'; + ign = "%"+ign+"%"; + + for (; *handlers; handlers++) { + if (!(*handlers)->name() || ign.find("%"+string((*handlers)->name())+"%") == string::npos) + registerHandler(*handlers); + else + delete *handlers; + } + } +} + + +/** Looks for an appropriate handler for a given special prefix. + * @param[in] prefix the special prefix, e.g. "color" or "em" + * @return in case of success: pointer to handler, 0 otherwise */ +SpecialHandler* SpecialManager::findHandler (const string &prefix) const { + ConstIterator it = _handlers.find(prefix); + if (it != _handlers.end()) + return it->second; + return 0; +} + + +static string extract_prefix (istream &is) { + int c; + string prefix; + while (isalnum(c=is.get())) + prefix += c; + if (ispunct(c)) // also add seperation character to identifying prefix + prefix += c; + if (prefix == "ps:" && is.peek() == ':') + prefix += is.get(); + return prefix; +} + + +void SpecialManager::preprocess (const string &special, SpecialActions *actions) const { + istringstream iss(special); + string prefix = extract_prefix(iss); + if (SpecialHandler *handler = findHandler(prefix)) + handler->preprocess(prefix.c_str(), iss, actions); +} + + +/** Executes a special command. + * @param[in] special the special expression + * @param[in] dvi2bp factor to convert DVI units to PS points + * @param[in] actions actions the special handlers can perform + * @return true if the special could be processed successfully + * @throw SpecialException in case of errors during special processing */ +bool SpecialManager::process (const string &special, double dvi2bp, SpecialActions *actions) const { + istringstream iss(special); + string prefix = extract_prefix(iss); + bool success=false; + if (SpecialHandler *handler = findHandler(prefix)) { + handler->setDviScaleFactor(dvi2bp); + success = handler->process(prefix.c_str(), iss, actions); + } + return success; +} + + +void SpecialManager::notifyPreprocessingFinished () const { + FORALL(_preprocListeners, vector<DVIPreprocessingListener*>::const_iterator, it) + (*it)->dviPreprocessingFinished(); +} + + +void SpecialManager::notifyEndPage (unsigned pageno) const { + FORALL(_endPageListeners, vector<DVIEndPageListener*>::const_iterator, it) + (*it)->dviEndPage(pageno); +} + + +void SpecialManager::notifyPositionChange (double x, double y) const { + FORALL(_positionListeners, vector<DVIPositionListener*>::const_iterator, it) + (*it)->dviMovedTo(x, y); +} + + +void SpecialManager::writeHandlerInfo (ostream &os) const { + ios::fmtflags osflags(os.flags()); + typedef map<string, SpecialHandler*> SortMap; + SortMap m; + FORALL(_handlers, ConstIterator, it) + if (it->second->name()) + m[it->second->name()] = it->second; + FORALL(m, SortMap::iterator, it) { + os << setw(10) << left << it->second->name() << ' '; + if (it->second->info()) + os << it->second->info(); + os << endl; + } + os.flags(osflags); // restore format flags +} + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SpecialManager.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SpecialManager.h new file mode 100644 index 00000000000..29c325c20cc --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/SpecialManager.h @@ -0,0 +1,66 @@ +/************************************************************************* +** SpecialManager.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_SPECIALMANAGER_H +#define DVISVGM_SPECIALMANAGER_H + +#include <map> +#include <ostream> +#include <string> +#include <vector> +#include "SpecialHandler.h" + +struct SpecialActions; + +class SpecialManager +{ + private: + typedef std::vector<SpecialHandler*> HandlerPool; + typedef std::map<std::string,SpecialHandler*> HandlerMap; + typedef HandlerMap::iterator Iterator; + typedef HandlerMap::const_iterator ConstIterator; + + public: + ~SpecialManager (); + static SpecialManager& instance (); + void registerHandler (SpecialHandler *handler); + void registerHandlers (SpecialHandler **handlers, const char *ignorelist); + void unregisterHandlers (); + void preprocess (const std::string &special, SpecialActions *actions) const; + bool process (const std::string &special, double dvi2bp, SpecialActions *actions) const; + void notifyPreprocessingFinished () const; + void notifyEndPage (unsigned pageno) const; + void notifyPositionChange (double x, double y) const; + void writeHandlerInfo (std::ostream &os) const; + + protected: + SpecialManager () {} + SpecialManager (const SpecialManager &) {} + SpecialHandler* findHandler (const std::string &prefix) const; + + private: + HandlerPool _pool; ///< stores pointers to all handlers + HandlerMap _handlers; ///< pointers to handlers for corresponding prefixes + std::vector<DVIPreprocessingListener*> _preprocListeners; + std::vector<DVIEndPageListener*> _endPageListeners; + std::vector<DVIPositionListener*> _positionListeners; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/StreamReader.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/StreamReader.cpp new file mode 100644 index 00000000000..95722a77c87 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/StreamReader.cpp @@ -0,0 +1,160 @@ +/************************************************************************* +** StreamReader.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include "CRC32.h" +#include "StreamReader.h" +#include "macros.h" + +using namespace std; + + +istream& StreamReader::replaceStream (istream &in) { + istream &ret = *_is; + _is = ∈ + return ret; +} + + +/** Reads an unsigned integer from assigned input stream. + * @param[in] bytes number of bytes to read (max. 4) + * @return read integer */ +UInt32 StreamReader::readUnsigned (int bytes) { + UInt32 ret = 0; + for (bytes--; bytes >= 0 && !_is->eof(); bytes--) { + UInt32 b = _is->get(); + ret |= b << (8*bytes); + } + return ret; +} + + +/** Reads an unsigned integer from assigned input stream and updates the CRC32 checksum. + * @param[in] bytes number of bytes to read (max. 4) + * @param[in,out] crc32 checksum to be updated + * @return read integer */ +UInt32 StreamReader::readUnsigned (int bytes, CRC32 &crc32) { + UInt32 ret = readUnsigned(bytes); + crc32.update(ret, bytes); + return ret; +} + + +/** Reads an signed integer from assigned input stream. + * @param[in] bytes number of bytes to read (max. 4) + * @return read integer */ +Int32 StreamReader::readSigned (int bytes) { + Int32 ret = _is->get(); + if (ret & 128) // negative value? + ret |= 0xffffff00; + for (bytes-=2; bytes >= 0 && !_is->eof(); bytes--) + ret = (ret << 8) | _is->get(); + return ret; +} + + +/** Reads an signed integer from assigned input stream and updates the CRC32 checksum. + * @param[in] bytes number of bytes to read (max. 4) + * @param[in,out] crc32 checksum to be updated + * @return read integer */ +Int32 StreamReader::readSigned (int bytes, CRC32 &crc32) { + Int32 ret = readSigned(bytes); + crc32.update(ret, bytes); + return ret; +} + + +/** Reads a string terminated by a 0-byte. */ +string StreamReader::readString () { + if (!_is) + throw StreamReaderException("no stream assigned"); + string ret; + while (!_is->eof() && _is->peek() > 0) + ret += _is->get(); + _is->get(); // skip 0-byte + return ret; +} + + +/** Reads a string terminated by a 0-byte and updates the CRC32 checksum. + * @param[in,out] crc32 checksum to be updated + * @param[in] finalZero consider final 0-byte in checksum + * @return the string read */ +string StreamReader::readString (CRC32 &crc32, bool finalZero) { + string ret = readString(); + crc32.update((const UInt8*)ret.c_str(), ret.length()); + if (finalZero) + crc32.update(0, 1); + return ret; +} + + +/** Reads a string of a given length. + * @param[in] length number of characters to read + * @return the string read */ +string StreamReader::readString (int length) { + if (!_is) + throw StreamReaderException("no stream assigned"); + char *buf = new char[length+1]; + if (length <= 0) + *buf = 0; + else { + _is->read(buf, length); // reads 'length' bytes + buf[length] = 0; + } + string ret = buf; + delete [] buf; + return ret; +} + + +/** Reads a string of a given length and updates the CRC32 checksum. + * @param[in] length number of characters to read + * @param[in,out] crc32 checksum to be updated + * @return the string read */ +string StreamReader::readString (int length, CRC32 &crc32) { + string ret = readString(length); + crc32.update(ret.c_str()); + return ret; +} + + +vector<UInt8>& StreamReader::readBytes (int n, vector<UInt8> &bytes) { + if (n > 0) + _is->read((char*)&bytes[0], n); + return bytes; +} + + +vector<UInt8>& StreamReader::readBytes (int n, vector<UInt8> &bytes, CRC32 &crc32) { + readBytes(n, bytes); + crc32.update(&bytes[0], bytes.size()); + return bytes; +} + + +int StreamReader::readByte (CRC32 &crc32) { + int ret = readByte(); + if (ret >= 0) { + const UInt8 c = UInt8(ret & 0xff); + crc32.update(&c, 1); + } + return ret; +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/StreamReader.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/StreamReader.h new file mode 100644 index 00000000000..24c37c487d2 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/StreamReader.h @@ -0,0 +1,71 @@ +/************************************************************************* +** StreamReader.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_STREAMREADER_H +#define DVISVGM_STREAMREADER_H + +#include <istream> +#include <string> +#include <vector> +#include "MessageException.h" +#include "types.h" + +class CRC32; + +class StreamReader +{ + public: + StreamReader (std::istream &is) : _is(&is) {} + virtual ~StreamReader () {} + bool isStreamValid () const {return _is;} + bool eof () const {return _is->eof();} + void clearStream () {_is->clear();} + std::istream& replaceStream (std::istream &s); + UInt32 readUnsigned (int n); + UInt32 readUnsigned (int n, CRC32 &crc32); + Int32 readSigned (int n); + Int32 readSigned (int n, CRC32 &crc32); + std::string readString (); + std::string readString (CRC32 &crc32, bool finalZero=false); + std::string readString (int length); + std::string readString (int length, CRC32 &crc32); + std::vector<UInt8>& readBytes (int n, std::vector<UInt8> &bytes); + std::vector<UInt8>& readBytes (int n, std::vector<UInt8> &bytes, CRC32 &crc32); + int readByte () {return _is->get();} + int readByte (CRC32 &crc32); + void seek (std::streampos pos, std::ios::seekdir dir) {_is->seekg(pos, dir);} + void seek (std::streampos pos) {_is->seekg(pos);} + std::streampos tell () const {return _is->tellg();} + int peek () const {return _is->peek();} + + protected: + std::istream& getInputStream () {return *_is;} + + private: + std::istream *_is; +}; + + +struct StreamReaderException : public MessageException +{ + StreamReaderException (const std::string &msg) : MessageException(msg) {} +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/StreamWriter.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/StreamWriter.cpp new file mode 100644 index 00000000000..db336b64d5f --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/StreamWriter.cpp @@ -0,0 +1,82 @@ +/************************************************************************* +** StreamWriter.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include "CRC32.h" +#include "StreamWriter.h" + +using namespace std; + + +/** Writes an unsigned integer to the output stream. + * @param[in] val the value to write + * @param[in] n number of bytes to be considered */ +void StreamWriter::writeUnsigned (UInt32 val, int n) { + for (n--; n >= 0; n--) + _os.put((val >> (8*n)) & 0xff); +} + + +/** Writes a signed integer to the output stream. + * @param[in] val the value to write + * @param[in] n number of bytes to be considered */ +void StreamWriter::writeSigned (Int32 val, int n) { + writeUnsigned((UInt32)val, n); +} + + +/** Writes a signed integer to the output stream. + * @param[in] val the value to write + * @param[in] finalZero if true, a final 0-byte is appended */ +void StreamWriter::writeString (const string &str, bool finalZero) { + for (size_t i=0; i < str.length(); i++) + _os.put(str[i]); + if (finalZero) + _os.put(0); +} + + +/** Writes an unsigned integer to the output stream. + * @param[in] val the value to write + * @param[in] n number of bytes to be considered + * @param[in,out] crc32 checksum to be updated */ +void StreamWriter::writeUnsigned (UInt32 val, int n, CRC32 &crc32) { + writeUnsigned(val, n); + crc32.update(val, n); +} + + +/** Writes a signed integer to the output stream and updates the CRC32 checksum. + * @param[in] val the value to write + * @param[in] n number of bytes to be considered + * @param[in,out] crc32 checksum to be updated */ +void StreamWriter::writeSigned (Int32 val, int n, CRC32 &crc32) { + writeUnsigned((UInt32)val, n, crc32); +} + + +/** Writes a string to the output stream and updates the CRC32 checksum. + * @param[in] str the string to write + * @param[in,out] crc32 checksum to be updated + * @param[in] finalZero if true, a final 0-byte is appended */ +void StreamWriter::writeString (const std::string &str, CRC32 &crc32, bool finalZero) { + writeString(str, finalZero); + crc32.update((const UInt8*)str.c_str(), str.length() + (finalZero ? 1 : 0)); +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/StreamWriter.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/StreamWriter.h new file mode 100644 index 00000000000..a17c891e741 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/StreamWriter.h @@ -0,0 +1,46 @@ +/************************************************************************* +** StreamWriter.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_STREAMWRITER_H +#define DVISVGM_STREAMWRITER_H + +#include <ostream> +#include "types.h" + + +class CRC32; + +class StreamWriter +{ + public: + StreamWriter (std::ostream &os) : _os(os) {} + virtual ~StreamWriter () {} + void writeUnsigned (UInt32 val, int n); + void writeSigned (Int32 val, int n); + void writeString (const std::string &str, bool finalZero=false); + void writeUnsigned (UInt32 val, int n, CRC32 &crc32); + void writeSigned (Int32 val, int n, CRC32 &crc32); + void writeString (const std::string &str, CRC32 &crc32, bool finalZero=false); + + private: + std::ostream &_os; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Subfont.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Subfont.cpp new file mode 100644 index 00000000000..b71775e9297 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Subfont.cpp @@ -0,0 +1,267 @@ +/************************************************************************* +** Subfont.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <cstdlib> +#include <cstring> +#include <fstream> +#include <limits> +#include "FileFinder.h" +#include "Subfont.h" +#include "Message.h" + +using namespace std; + +// helper functions + +static int skip_mapping_data (istream &is); +static bool scan_line (const char *line, int lineno, UInt16 *mapping, const string &fname, int &pos); + + +/** Constructs a new SubfontDefinition object. + * @param[in] name name of subfont definition + * @param[in] fpath path to corresponding .sfd file*/ +SubfontDefinition::SubfontDefinition (const string &name, const char *fpath) : _sfname(name) { + // read all subfont IDs from the .sfd file but skip the mapping data + ifstream is(fpath); + while (is) { + if (is.peek() == '#') // comment line? + is.ignore(numeric_limits<int>::max(), '\n'); // => skip it + else if (isspace(is.peek())) + is.get(); + else { + string id; + while (is && !isspace(is.peek())) + id += is.get(); + if (!id.empty()) { + pair<Iterator, bool> state = _subfonts.insert(pair<string,Subfont*>(id, (Subfont*)0)); + if (state.second) // id was not present in map already + state.first->second = new Subfont(*this, state.first->first); + skip_mapping_data(is); + } + } + } +} + + +SubfontDefinition::~SubfontDefinition () { + for (Iterator it=_subfonts.begin(); it != _subfonts.end(); ++it) + delete it->second; +} + + +/** Looks for a subfont definition of the given name and returns the corresponding object. + * All objects are only created once for a given name and stored in an internal cache. + * @param[in] name name of subfont definition to lookup + * @return pointer to subfont definition object or 0 if it doesn't exist */ +SubfontDefinition* SubfontDefinition::lookup (const std::string &name) { + typedef map<string,SubfontDefinition*> SFDMap; + static SFDMap sfdMap; + SFDMap::iterator it = sfdMap.find(name); + if (it != sfdMap.end()) + return it->second; + SubfontDefinition *sfd=0; + if (const char *path = FileFinder::lookup(name+".sfd", false)) { + sfd = new SubfontDefinition(name, path); + sfdMap[name] = sfd; + } + return sfd; +} + + +/** Returns the full path to the corresponding .sfd file or 0 if it can't be found. */ +const char* SubfontDefinition::path () const { + return FileFinder::lookup(filename(), false); +} + + +/** Returns the subfont with the given ID, or 0 if it doesn't exist. */ +Subfont* SubfontDefinition::subfont (const string &id) const { + ConstIterator it = _subfonts.find(id); + if (it != _subfonts.end()) + return it->second; + return 0; +} + + +/** Returns all subfonts defined in this SFD. */ +int SubfontDefinition::subfonts (vector<Subfont*> &sfs) const { + for (ConstIterator it=_subfonts.begin(); it != _subfonts.end(); ++it) + sfs.push_back(it->second); + return sfs.size(); +} + +////////////////////////////////////////////////////////////////////// + +Subfont::~Subfont () { + delete [] _mapping; +} + + +/** Reads the character mappings for a given subfont ID. + * Format of subfont definition (sfd) files: + * sfd ::= (ID entries | '#' <string> '\n')* + * ID ::= <string without whitespace> + * entries ::= (integer | integer ':' | integer '_' integer)* + * The mapping data for a subfont is given as a sequence of 256 16-bit values where + * value v at position c defines the (global) character code that is assigned to the + * local subfont character c. The sequence v,v+1,v+2,...,v+n can be abbreviated with + * v '_' v+n, e.g. 10_55. In order to continue the sequence at a different position, + * the syntax number ':' can be used. Example: 10: 5 6 7 assigns the values v=5, 6, 7 + * to c=10, 11 and 12, respectively. + * @return true if the data has been read successfully */ +bool Subfont::read () { + if (_mapping) // if there's already a mapping assigned, we're finished here + return true; + if (const char *p = _sfd.path()) { + ifstream is(p); + if (!is) + return false; + + int lineno=1; + while (is) { + if (is.peek() == '#' || is.peek() == '\n') { + is.ignore(numeric_limits<int>::max(), '\n'); // skip comment and empty line + lineno++; + } + else if (isspace(is.peek())) + is.get(); + else { + string id; + while (is && !isspace(is.peek())) + id += is.get(); + if (id != _id) + lineno += skip_mapping_data(is); + else { + // build mapping array + _mapping = new UInt16[256]; + memset(_mapping, 0, 256*sizeof(UInt16)); + int pos=0; + char buf[1024]; + bool complete=false; + while (!complete) { + is.getline(buf, 1024); + complete = scan_line(buf, lineno, _mapping, _sfd.filename() ,pos); + } + return true; + } + } + } + } + return false; +} + + +/** Returns the global character code of the target font for a + * (local) character code of the subfont. + * @param[in] c local character code relative to the subfont + * @return character code of the target font */ +UInt16 Subfont::decode (unsigned char c) { + if (!_mapping && !read()) + return 0; + return _mapping[c]; +} + + +////////////////////////////////////////////////////////////////////// + + +/** Skips the mapping data of a subfont entry. + * @param[in] is stream to read from + * @return number of lines skipped */ +static int skip_mapping_data (istream &is) { + char buf[1024]; + bool complete=false; + int lines=0; + while (is && !complete) { + is.getline(buf, 1024); + if (is.gcount() > 1) + lines++; + const char *p = buf+is.gcount()-2; + while (p >= buf && isspace(*p)) + p--; + complete = (p < buf || *p != '\\'); // line doesn't end with backslash + } + return lines; +} + + +/** Scans a single line of mapping data and stores the values in the given array. + * @param[in] line the line of text to be scanned + * @param[in] lineno line number used in exception messages + * @param[in,out] mapping the mapping data + * @param[in] fname name of the mapfile being scanned + * @param[in,out] offset position/index of next mapping value + * @return true if the line is the last one the current mapping sequence, i.e. the line doesn't end with a backslash */ +static bool scan_line (const char *line, int lineno, UInt16 *mapping, const string &fname, int &offset) { + const char *p=line; + char *q; + for (; *p && isspace(*p); p++); + while (*p) { + if (*p == '\\') { + while (*++p) + if (!isspace(*p)) + throw SubfontException("unexpected backslash in mapping table", fname, lineno); + } + else { + long val1 = strtol(p, &q, 0); // first value of range + long val2; // last value of range + ostringstream oss; // output stream for exception messages + switch (*q) { + case ':': + if (val1 < 0 || val1 > 255) + throw SubfontException(oss << "offset value " << val1 << " out of range (0-255)", fname, lineno); + offset = val1; + val1 = -1; + q++; + break; + case '_': + p = q+1; + val2 = strtol(p, &q, 0); + if (val1 < 0 || val1 > 0xffffL) + throw SubfontException(oss << "table value " << val1 << " out of range", fname, lineno); + if (val2 < 0 || val2 > 0xffffL) + throw SubfontException(oss << "table value " << val2 << " out of range", fname, lineno); + if (p == q || (!isspace(*q) && *q != '\\' && *q)) + throw SubfontException(oss << "unexpected character '" << *q << "'", fname, lineno); + break; + default: + if (p == q || (!isspace(*q) && *q != '\\' && *q)) + throw SubfontException(oss << "unexpected character '" << *q << "'", fname, lineno); + if (val1 < 0 || val1 > 0xffffL) + throw SubfontException("invalid character code", fname, lineno); + val2 = val1; + } + if (val1 >= 0) { + if (val1 > val2 || offset+val2-val1 > 255) + throw SubfontException(oss << "invalid range in mapping table: " << hex << val1 << '_' << val2, fname, lineno); + for (long v=val1; v <= val2; v++) { + if (mapping[offset]) + throw SubfontException(oss << "mapping of character " << offset << " already defined", fname, lineno); + mapping[offset++] = static_cast<UInt16>(v); + } + } + for (p=q; *p && isspace(*p); p++); + } + } + for (p--; p >= line && isspace(*p); p--); + return p < line || *p != '\\'; +} + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Subfont.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Subfont.h new file mode 100644 index 00000000000..4585a0981df --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Subfont.h @@ -0,0 +1,102 @@ +/************************************************************************* +** Subfont.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_SUBFONT_H +#define DVISVGM_SUBFONT_H + +#include <istream> +#include <map> +#include <sstream> +#include <string> +#include <vector> +#include "MessageException.h" +#include "types.h" + + +class Subfont; + + +/** Represents a collection of subfont mappings as defined in a .sfd file, and + * encapsulates the evaluation of these files. */ +class SubfontDefinition +{ + typedef std::map<std::string, Subfont*> Subfonts; + typedef Subfonts::iterator Iterator; + typedef Subfonts::const_iterator ConstIterator; + public: + ~SubfontDefinition (); + static SubfontDefinition* lookup (const std::string &name); +// int getIDs (std::vector<std::string> &ids) const; + const std::string& name() const {return _sfname;} + std::string filename() const {return _sfname+".sfd";} + Subfont* subfont (const std::string &id) const; + int subfonts (std::vector<Subfont*> &sfs) const; + const char* path () const; + + protected: + SubfontDefinition (const std::string &name, const char *fpath); + SubfontDefinition (const SubfontDefinition &sfd) {} + + private: + std::string _sfname; ///< name of subfont + Subfonts _subfonts; ///< all subfonts defined in the corresponding .sfd file +}; + + +/** Represents a single subfont mapping defined in a SubfontDefinition (.sfd file). */ +class Subfont +{ + friend class SubfontDefinition; + public: + ~Subfont(); + const std::string& id () const {return _id;} + UInt16 decode (unsigned char c); + + protected: + Subfont (SubfontDefinition &sfd, const std::string &id) : _sfd(sfd), _id(id), _mapping(0) {} + bool read (); + + private: + SubfontDefinition &_sfd; ///< SubfontDefinition where this Subfont belongs to + const std::string &_id; ///< id of this subfont as specified in the .sfd file + UInt16 *_mapping; ///< the character mapping table with 256 entries +}; + + +class SubfontException : public MessageException +{ + public: + SubfontException (const std::string &msg, const std::string &fname, int lineno=0) + : MessageException(msg), _fname(fname), _lineno(lineno) {} + + SubfontException (const std::ostream &oss, const std::string &fname, int lineno=0) + : MessageException(dynamic_cast<const std::ostringstream&>(oss).str()), _fname(fname), _lineno(lineno) {} + + virtual ~SubfontException () throw() {} + + const char* filename () const {return _fname.c_str();} + int lineno () const {return _lineno;} + + private: + std::string _fname; + int _lineno; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/System.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/System.cpp new file mode 100644 index 00000000000..1bbd4378df4 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/System.cpp @@ -0,0 +1,50 @@ +/************************************************************************* +** System.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <ctime> +#include "System.h" + +#if defined (HAVE_SYS_TIME_H) +#include <sys/time.h> +#elif defined (HAVE_SYS_TIMEB_H) +#include <sys/timeb.h> +#endif + + +using namespace std; + + +/** Returns timestamp (wall time) in seconds. */ +double System::time () { +#if defined (HAVE_SYS_TIME_H) + struct timeval tv; + gettimeofday(&tv, NULL); + return tv.tv_sec + tv.tv_usec/1000000.0; +#elif defined (HAVE_SYS_TIMEB_H) + struct timeb tb; + ftime(&tb); + return tb.time + tb.millitm/1000.0; +#else + clock_t myclock = clock(); + return double(myclock)/CLOCKS_PER_SEC; +#endif +} + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/System.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/System.h new file mode 100644 index 00000000000..ffca48e1cd3 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/System.h @@ -0,0 +1,29 @@ +/************************************************************************* +** System.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_SYSTEM_H +#define DVISVGM_SYSTEM_H + +namespace System +{ + double time (); +} + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/TFM.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/TFM.cpp new file mode 100644 index 00000000000..6e3ad81eb9a --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/TFM.cpp @@ -0,0 +1,156 @@ +/************************************************************************* +** TFM.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <iostream> +#include <fstream> +#include <vector> +#include "FileFinder.h" +#include "Message.h" +#include "StreamReader.h" +#include "TFM.h" + +using namespace std; + + +/** Reads a sequence of n TFM words (4 Bytes each). + * @param[in] sr the TFM data is read from this object + * @param[out] v the read words + * @param[in] n number of words to be read */ +template <typename T> +static void read_words (StreamReader &sr, vector<T> &v, unsigned n) { + v.clear(); + v.resize(n); + for (unsigned i=0; i < n; i++) + v[i] = sr.readUnsigned(4); +} + + +/** Converts a TFM fix point value to double (PS point units). */ +static double fix2double (FixWord fix) { + const double pt2bp = 72/72.27; + return double(fix)/(1 << 20)*pt2bp; +} + + +TFM::TFM (istream &is) { + is.seekg(0); + StreamReader sr(is); + UInt16 lf = UInt16(sr.readUnsigned(2)); // length of entire file in 4 byte words + UInt16 lh = UInt16(sr.readUnsigned(2)); // length of header in 4 byte words + _firstChar= UInt16(sr.readUnsigned(2)); // smallest character code in font + _lastChar = UInt16(sr.readUnsigned(2)); // largest character code in font + UInt16 nw = UInt16(sr.readUnsigned(2)); // number of words in width table + UInt16 nh = UInt16(sr.readUnsigned(2)); // number of words in height table + UInt16 nd = UInt16(sr.readUnsigned(2)); // number of words in depth table + UInt16 ni = UInt16(sr.readUnsigned(2)); // number of words in italic corr. table + UInt16 nl = UInt16(sr.readUnsigned(2)); // number of words in lig/kern table + UInt16 nk = UInt16(sr.readUnsigned(2)); // number of words in kern table + UInt16 ne = UInt16(sr.readUnsigned(2)); // number of words in ext. char table + UInt16 np = UInt16(sr.readUnsigned(2)); // number of font parameter words + + if (6+lh+(_lastChar-_firstChar+1)+nw+nh+nd+ni+nl+nk+ne+np != lf) + throw FontMetricException("inconsistent length values"); + if (_firstChar >= _lastChar || _lastChar > 255 || ne > 256) + throw FontMetricException("character codes out of range"); + + readHeader(sr); + is.seekg(24+lh*4); // move to char info table + readTables(sr, nw, nh, nd, ni); +} + + +void TFM::readHeader (StreamReader &sr) { + _checksum = sr.readUnsigned(4); + _designSize = sr.readUnsigned(4); +} + + +void TFM::readTables (StreamReader &sr, int nw, int nh, int nd, int ni) { + read_words(sr, _charInfoTable, _lastChar-_firstChar+1); + read_words(sr, _widthTable, nw); + read_words(sr, _heightTable, nh); + read_words(sr, _depthTable, nd); + read_words(sr, _italicTable, ni); +} + + +/** Returns the design size of this font in PS point units. */ +double TFM::getDesignSize () const { + return fix2double(_designSize); +} + + +/** Returns the index to the entry of the character info table that describes the metric of a given character. + * @param[in] c character whose index is retrieved + * @return table index for character c, or -1 if there's no entry */ +int TFM::charIndex (int c) const { + if (c < _firstChar || c > _lastChar || size_t(c-_firstChar) >= _charInfoTable.size()) + return -1; + return c-_firstChar; +} + + +// the char info word for each character consists of 4 bytes holding the following information: +// width index w, height index (h), depth index (d), italic correction index (it), +// tag (tg) and a remainder: +// +// byte 1 | byte 2 | byte 3 | byte 4 +// xxxxxxxx | xxxx xxxx | xxxxxx xx | xxxxxxxx +// w | h d | it tg | remainder + +/** Returns the width of char c in PS point units. */ +double TFM::getCharWidth (int c) const { + int index = charIndex(c); + if (index < 0) + return 0; + index = (_charInfoTable[index] >> 24) & 0xFF; + return fix2double(_widthTable[index]) * fix2double(_designSize); +} + + +/** Returns the height of char c in PS point units. */ +double TFM::getCharHeight (int c) const { + int index = charIndex(c); + if (index < 0) + return 0; + index = (_charInfoTable[index] >> 20) & 0x0F; + return fix2double(_heightTable[index]) * fix2double(_designSize); +} + + +/** Returns the depth of char c in PS point units. */ +double TFM::getCharDepth (int c) const { + int index = charIndex(c); + if (index < 0) + return 0; + index = (_charInfoTable[index] >> 16) & 0x0F; + return fix2double(_depthTable[index]) * fix2double(_designSize); +} + + +/** Returns the italic correction of char c in PS point units. */ +double TFM::getItalicCorr (int c) const { + int index = charIndex(c); + if (index < 0) + return 0; + index = (_charInfoTable[index] >> 10) & 0x3F; + return fix2double(_italicTable[index]) * fix2double(_designSize); +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/TFM.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/TFM.h new file mode 100644 index 00000000000..3afc88ec83d --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/TFM.h @@ -0,0 +1,66 @@ +/************************************************************************* +** TFM.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_TFM_H +#define DVISVGM_TFM_H + +#include <istream> +#include <string> +#include <vector> +#include "FontMetrics.h" +#include "types.h" +#include "StreamReader.h" + +class StreamReader; + +class TFM : public FontMetrics +{ + public: +// TFM (const char *fname); + TFM (std::istream &is); + double getDesignSize () const; + double getCharWidth (int c) const; + double getCharHeight (int c) const; + double getCharDepth (int c) const; + double getItalicCorr (int c) const; + bool verticalLayout () const {return false;} + UInt32 getChecksum () const {return _checksum;} + UInt16 firstChar () const {return _firstChar;} + UInt16 lastChar () const {return _lastChar;} + + protected: + TFM () : _checksum(0), _firstChar(0), _lastChar(0), _designSize(0) {} + void readHeader (StreamReader &sr); + void readTables (StreamReader &sr, int nw, int nh, int nd, int ni); + virtual int charIndex (int c) const; + void setCharRange (int firstchar, int lastchar) {_firstChar=firstchar; _lastChar=lastchar;} + + private: + UInt32 _checksum; + UInt16 _firstChar, _lastChar; + FixWord _designSize; ///< design size of the font in TeX points (7227 pt = 254 cm) + std::vector<UInt32> _charInfoTable; + std::vector<FixWord> _widthTable; ///< character widths in design size units + std::vector<FixWord> _heightTable; ///< character height in design size units + std::vector<FixWord> _depthTable; ///< character depth in design size units + std::vector<FixWord> _italicTable; ///< italic corrections in design size units +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/TensorProductPatch.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/TensorProductPatch.cpp new file mode 100644 index 00000000000..2ad8a4c29dc --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/TensorProductPatch.cpp @@ -0,0 +1,549 @@ +/************************************************************************* +** TensorProductPatch.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <iostream> +#include <valarray> +#include "TensorProductPatch.h" + +using namespace std; + + +TensorProductPatch::TensorProductPatch (const PointVec &points, const ColorVec &colors, Color::ColorSpace cspace, int edgeflag, TensorProductPatch *patch) + : ShadingPatch(cspace) +{ + setPoints(points, edgeflag, patch); + setColors(colors, edgeflag, patch); +} + + +void TensorProductPatch::setFirstMatrixColumn (const DPair source[4], bool reverse) { + for (int i=0; i < 4; i++) + _points[i][0] = source[reverse ? 3-i : i]; +} + + +void TensorProductPatch::setFirstMatrixColumn (DPair source[4][4], int col, bool reverse) { + for (int i=0; i < 4; i++) + _points[i][0] = source[reverse ? 3-i : i][col]; +} + + +/*void TensorProductPatch::setPoints (const DPair points[4][4]) { + for (int i=0; i < 4; i++) + for (int j=0; j < 4; j++) + _points[i][j] = points[i][j]; +}*/ + + +/** Sets the control points defining the structure of the patch. If the edge flag is 0, + * the point vector must contain all 16 control points of the 4x4 matrix in "spiral" order: + * 0 11 10 9 + * 1 12 15 8 + * 2 13 14 7 + * 3 4 5 6 + * If the edge flag is 1,2, or 3, the points of the first matrix collumn + * are omitted, and taken from a reference patch instead. + * @param[in] points the control points in "spiral" order as described in the PS reference, p. 286 + * @param[in] edgeflag defines how to connect this patch with another one + * @param[in] patch reference patch required if edgeflag > 0 */ +void TensorProductPatch::setPoints (const PointVec &points, int edgeflag, ShadingPatch *patch) { + TensorProductPatch *tpPatch = dynamic_cast<TensorProductPatch*>(patch); + if (edgeflag > 0 && !tpPatch) + throw ShadingException("missing preceding data in definition of tensor-product patch"); + if ((edgeflag == 0 && points.size() != 16) || (edgeflag > 0 && points.size() != 12)) + throw ShadingException("invalid number of control points in tensor-product patch definition"); + + // assign the 12 control points that are invariant for all edge flag values + int i = (edgeflag == 0 ? 4 : 0); + _points[3][1] = points[i++]; + _points[3][2] = points[i++]; + _points[3][3] = points[i++]; + _points[2][3] = points[i++]; + _points[1][3] = points[i++]; + _points[0][3] = points[i++]; + _points[0][2] = points[i++]; + _points[0][1] = points[i++]; + _points[1][1] = points[i++]; + _points[2][1] = points[i++]; + _points[2][2] = points[i++]; + _points[1][2] = points[i]; + // populate the first column of the control point matrix + switch (edgeflag) { + case 0: setFirstMatrixColumn(&points[0], false); break; + case 1: setFirstMatrixColumn(tpPatch->_points[3], false); break; + case 2: setFirstMatrixColumn(tpPatch->_points, 3, true); break; + case 3: setFirstMatrixColumn(tpPatch->_points[0], true); break; + } +} + + +/** Sets the vertex colors of the patch. If the edge flag is 0, + * the color vector must contain all 4 colors in the following order: + * c00, c30, c33, c03, where cXY belongs to the vertex pXY of the control + * point matrix. + * c00 ---- c03 + * | | + * | | + * c30 ---- c33 + * If the edge flag is 1,2, or 3, the colors c00 and c30 are omitted, + * and taken from a reference patch instead. + * @param[in] points the color values in the order c00, c30, c33, c03 + * @param[in] edgeflag defines how to connect this patch with another one + * @param[in] patch reference patch required if edgeflag > 0 */ +void TensorProductPatch::setColors(const ColorVec &colors, int edgeflag, ShadingPatch* patch) { + TensorProductPatch *tpPatch = dynamic_cast<TensorProductPatch*>(patch); + if (edgeflag > 0 && !tpPatch) + throw ShadingException("missing preceding data in definition of tensor-product patch"); + if ((edgeflag == 0 && colors.size() != 4) || (edgeflag > 0 && colors.size() != 2)) + throw ShadingException("invalid number of colors in tensor-product patch definition"); + + int i = (edgeflag == 0 ? 2 : 0); + _colors[3] = colors[i]; + _colors[1] = colors[i+1]; + switch (edgeflag) { + case 0: _colors[0] = colors[0]; _colors[2] = colors[1]; break; + case 1: _colors[0] = tpPatch->_colors[2]; _colors[2] = tpPatch->_colors[3]; break; + case 2: _colors[0] = tpPatch->_colors[3]; _colors[2] = tpPatch->_colors[1]; break; + case 3: _colors[0] = tpPatch->_colors[1]; _colors[2] = tpPatch->_colors[0]; break; + } +} + + +/** Returns the point P(u,v) of the patch. */ +DPair TensorProductPatch::valueAt (double u, double v) const { + // check if we can return one of the vertices + if (u == 0) { + if (v == 0) + return _points[0][0]; + else if (v == 1) + return _points[3][0]; + } + else if (u == 1) { + if (v == 0) + return _points[0][3]; + else if (v == 1) + return _points[3][3]; + } + // compute tensor product + DPair p[4]; + for (int i=0; i < 4; i++) { + Bezier bezier(_points[i][0], _points[i][1], _points[i][2], _points[i][3]); + p[i] = bezier.valueAt(u); + } + Bezier bezier(p[0], p[1], p[2], p[3]); + return bezier.valueAt(v); +} + + +/** Returns the color at point P(u,v) which is bilinearly interpolated from + * the colors assigned to vertices of the patch. */ +Color TensorProductPatch::colorAt (double u, double v) const { + // check if we can return one of the vertex colors + if (u == 0) { + if (v == 0) + return _colors[0]; + else if (v == 1) + return _colors[2]; + } + else if (u == 1) { + if (v == 0) + return _colors[1]; + else if (v == 1) + return _colors[3]; + } + // interpolate color + ColorGetter getComponents; + ColorSetter setComponents; + colorQueryFuncs(getComponents, setComponents); + valarray<double> comp[4]; + for (int i=0; i < 4; i++) + (_colors[i].*getComponents)(comp[i]); + Color color; + (color.*setComponents)((1-u)*(1-v)*comp[0] + u*(1-v)*comp[1] + (1-u)*v*comp[2] + u*v*comp[3]); + return color; +} + + +Color TensorProductPatch::averageColor () const { + return averageColor(_colors[0], _colors[1], _colors[2], _colors[3]); +} + + +/** Compute the average of four given colors depending on the assigned color space. */ +Color TensorProductPatch::averageColor (const Color &c1, const Color &c2, const Color &c3, const Color &c4) const { + ColorGetter getComponents; + ColorSetter setComponents; + colorQueryFuncs(getComponents, setComponents); + valarray<double> va1, va2, va3, va4; + (c1.*getComponents)(va1); + (c2.*getComponents)(va2); + (c3.*getComponents)(va3); + (c4.*getComponents)(va4); + Color averageColor; + (averageColor.*setComponents)((va1+va2+va3+va4)/4.0); + return averageColor; +} + + +void TensorProductPatch::getBoundaryPath (GraphicPath<double> &path) const { + // Simple approach: Use the outer curves as boundary path. This doesn't always lead + // to correct results since, depending on the control points, P(u,v) might exceed + // the simple boundary. + path.moveto(_points[0][0]); + path.cubicto(_points[0][1], _points[0][2], _points[0][3]); + path.cubicto(_points[1][3], _points[2][3], _points[3][3]); + path.cubicto(_points[3][2], _points[3][1], _points[3][0]); + path.cubicto(_points[2][0], _points[1][0], _points[0][0]); + path.closepath(); +} + + +/** Computes the bicubically interpolated isoparametric Bézier curve P(u,t) that + * runs "vertically" from P(u,0) to P(u,1) through the patch P. + * @param[in] u "horizontal" parameter in the range from 0 to 1 + * @param[out] bezier the resulting Bézier curve */ +void TensorProductPatch::verticalCurve (double u, Bezier &bezier) const { + // check for simple cases (boundary curves) first + if (u == 0) + bezier.setPoints(_points[0][0], _points[1][0], _points[2][0], _points[3][0]); + else if (u == 1) + bezier.setPoints(_points[0][3], _points[1][3], _points[2][3], _points[3][3]); + else { + // compute "inner" curve + DPair p[4]; + for (int i=0; i < 4; i++) { + Bezier bezier(_points[i][0], _points[i][1], _points[i][2], _points[i][3]); + p[i] = bezier.valueAt(u); + } + bezier.setPoints(p[0], p[1], p[2], p[3]); + } +} + + +/** Computes the bicubically interpolated isoparametric Bézier curve P(t,v) that + * runs "horizontally" from P(0,v) to P(1,v) through the patch P. + * @param[in] v "vertical" parameter in the range from 0 to 1 + * @param[out] bezier the resulting Bézier curve */ +void TensorProductPatch::horizontalCurve (double v, Bezier &bezier) const { + // check for simple cases (boundary curves) first + if (v == 0) + bezier.setPoints(_points[0][0], _points[0][1], _points[0][2], _points[0][3]); + else if (v == 1) + bezier.setPoints(_points[3][0], _points[3][1], _points[3][2], _points[3][3]); + else { + // compute "inner" curve + DPair p[4]; + for (int i=0; i < 4; i++) { + Bezier bezier(_points[0][i], _points[1][i], _points[2][i], _points[3][i]); + p[i] = bezier.valueAt(v); + } + bezier.setPoints(p[0], p[1], p[2], p[3]); + } +} + + +/** Computes the sub-patch that maps the unit square [0,1]x[0,1] to + * the area P([u1,u2],[v1,v2]) of patch P. The control points of the sub-patch + * can easily be calculated using the tensor product blossom of patch P. + * See G. Farin: Curves and Surfaces for CAGD, p. 259 for example. */ +void TensorProductPatch::subpatch (double u1, double u2, double v1, double v2, TensorProductPatch &patch) const { + if (u1 > u2) swap(u1, u2); + if (v1 > v2) swap(v1, v2); + // compute control points + double u[] = {u1, u1, u1, 0}; // blossom parameters of the "horizontal" domain (plus dummy value 0) + for (int i=0; i < 4; i++) { + u[3-i] = u2; + double v[] = {v1, v1, v1, 0}; // blossom parameters of the "vertical" domain (plus dummy value 0) + for (int j=0; j < 4; j++) { + v[3-j] = v2; + patch._points[i][j] = blossomValue(u, v); + } + } + // assign color values + patch._colors[0] = colorAt(u1, v1); + patch._colors[1] = colorAt(u2, v1); + patch._colors[2] = colorAt(u1, v2); + patch._colors[3] = colorAt(u2, v2); +} + + +/** Computes the value b(u1,u2,u3;v1,v2,v3) where b is tensor product blossom of the patch. */ +DPair TensorProductPatch::blossomValue (double u1, double u2, double u3, double v1, double v2, double v3) const { + DPair p[4]; + for (int i=0; i < 4; i++) { + Bezier bezier(_points[i][0], _points[i][1], _points[i][2], _points[i][3]); + p[i] = bezier.blossomValue(u1, u2, u3); + } + Bezier bezier(p[0], p[1], p[2], p[3]); + return bezier.blossomValue(v1, v2, v3); +} + + +/** Snaps value x to the interval [0,1]. Values lesser than or near 0 are mapped to 0, values + * greater than or near 1 are mapped to 1. */ +static inline double snap (double x) { + if (fabs(x) < 0.001) + return 0; + if (fabs(1-x) < 0.001) + return 1; + return x; +} + + +/** Computes a single row of segments approximating the patch region between v1 and v1+inc. */ +void TensorProductPatch::approximateRow (double v1, double inc, bool overlap, double delta, const vector<Bezier> &vbeziers, Callback &callback) const { + double v2 = snap(v1+inc); + double ov2 = (overlap && v2 < 1) ? snap(v2+inc) : v2; + Bezier hbezier1, hbezier2; + horizontalCurve(v1, hbezier1); + horizontalCurve(ov2, hbezier2); + double u1 = 0; + for (size_t i=1; i < vbeziers.size(); i++) { + double u2 = snap(u1+inc); + double ou2 = (overlap && u2 < 1) ? snap(u2+inc) : u2; + // compute segment boundaries + Bezier b1(hbezier1, u1, ou2); + Bezier b2(vbeziers[i + (overlap && i < vbeziers.size()-1 ? 1 : 0)], v1, ov2); + Bezier b3(hbezier2, u1, ou2); + Bezier b4(vbeziers[i-1], v1, ov2); + GraphicPath<double> path; + path.moveto(b1.point(0)); + if (inc > delta) { + path.cubicto(b1.point(1), b1.point(2), b1.point(3)); + path.cubicto(b2.point(1), b2.point(2), b2.point(3)); + path.cubicto(b3.point(2), b3.point(1), b3.point(0)); + path.cubicto(b4.point(2), b4.point(1), b4.point(0)); + } + else { + path.lineto(b1.point(3)); + path.lineto(b2.point(3)); + path.lineto(b3.point(0)); + } + path.closepath(); + callback.patchSegment(path, averageColor(colorAt(u1, v1), colorAt(u2, v1), colorAt(u1, v2), colorAt(u2, v2))); + u1 = u2; + } +} + + +/** Approximate the patch by dividing it into a grid of segments that are filled with the + * average color of the corresponding region. The boundary of each segment consists of + * four Bézier curves, too. In order to prevent visual gaps between neighbored segments due + * to anti-aliasing, the flag 'overlap' can be set. It enlarges the segments so that they overlap + * with their right and bottom neighbors (which are drawn on top of the overlapping regions). + * @param[in] gridsize number of segments per row/column + * @param[in] overlap if true, enlarge each segment to overlap with its right and bottom neighbors + * @param[in] delta reduce level of detail if the segment size is smaller than the given value + * @param[in] callback object notified */ +void TensorProductPatch::approximate (int gridsize, bool overlap, double delta, Callback &callback) const { + if (_colors[0] == _colors[1] && _colors[1] == _colors[2] && _colors[2] == _colors[3]) { + // simple case: monochromatic patch + GraphicPath<double> path; + getBoundaryPath(path); + callback.patchSegment(path, _colors[0]); + } + else { + const double inc = 1.0/gridsize; + // collect curves dividing the patch into several columns (curved vertical stripes) + vector<Bezier> vbeziers(gridsize+1); + double u=0; + for (int i=0; i <= gridsize; i++) { + verticalCurve(u, vbeziers[i]); + u = snap(u+inc); + } + // compute the segments row by row + double v=0; + for (int i=0; i < gridsize; i++) { + approximateRow(v, inc, overlap, delta, vbeziers, callback); + v = snap(v+inc); + } + } +} + + +void TensorProductPatch::getBBox (BoundingBox &bbox) const { + Bezier bezier; + BoundingBox bezierBox; + for (int i=0; i <= 1; i++) { + horizontalCurve(i, bezier); + bezier.getBBox(bezierBox); + bbox.embed(bezierBox); + verticalCurve(i, bezier); + bezier.getBBox(bezierBox); + bbox.embed(bezierBox); + } +} + + +#if 0 +void TensorProductPatch::approximate (int gridsize, Callback &callback) const { + const double inc = 1.0/gridsize; + Bezier ubezier0; verticalCurve(0, ubezier0); + Bezier ubezier1; verticalCurve(1, ubezier1); + Bezier vbezier0; horizontalCurve(0, vbezier0); + Bezier vbezier1; horizontalCurve(1, vbezier1); + for (double v1=0; v1 < 1; v1=snap(v1+inc)) { + double v2 = snap(v1+inc); + DPair p0 = valueAt(0, v1); + DPair p2 = valueAt(0, v2); + Color c0 = colorAt(0, v1); + Color c2 = colorAt(0, v2); + double u1 = 0; + for (double u2=inc; u2 <= 1; u2=snap(u2+inc)) { + DPair p1 = valueAt(u2, v1); + DPair p3 = valueAt(u2, v2); + Color c1 = colorAt(u2, v1); + Color c3 = colorAt(u2, v2); + // Compute a single patch segment. Only those segment edges that lay on the + // patch boundary are drawn as Bézier curves, all other edges are approximated + // with straight lines. This ensures a smooth outline and reduces the number of + // time consuming computations. + GraphicPath<double> path; + path.moveto(p0); + if (v1 > 0) + path.lineto(p1); + else { + Bezier bezier(vbezier0, u1, u2); + path.cubicto(bezier.point(1), bezier.point(2), bezier.point(3)); + } + if (u2 < 1) + path.lineto(p3); + else { + Bezier bezier(ubezier1, v1, v2); + path.cubicto(bezier.point(1), bezier.point(2), bezier.point(3)); + } + if (v2 < 1) + path.lineto(p2); + else { + Bezier bezier(vbezier1, u1, u2); + path.cubicto(bezier.point(2), bezier.point(1), bezier.point(0)); + } + if (u1 > 0) + path.closepath(); + else { + Bezier bezier(ubezier0, v1, v2); + path.cubicto(bezier.point(2), bezier.point(1), bezier.point(0)); + path.closepath(); + } + callback.patchSegment(path, averageColor(c0, c1, c2, c3)); + p0 = p1; + p2 = p3; + c0 = c1; + c2 = c3; + u1 = u2; + } + } +} +#endif + + +///////////////////////////////////////////////////////////////////////////////////// + + +CoonsPatch::CoonsPatch (const PointVec &points, const ColorVec &colors, Color::ColorSpace cspace, int edgeflag, CoonsPatch *patch) + : TensorProductPatch(cspace) +{ + setPoints(points, edgeflag, patch); + setColors(colors, edgeflag, patch); +} + + +DPair CoonsPatch::valueAt (double u, double v) const { + // Compute the value of P(u,v) using the Coons equation rather than the + // tensor product since the "inner" control points of the tensor matrix + // might not be set yet. + Bezier bezier1(_points[3][0], _points[3][1], _points[3][2], _points[3][3]); + Bezier bezier2(_points[0][0], _points[0][1], _points[0][2], _points[0][3]); + Bezier bezier3(_points[3][0], _points[2][0], _points[1][0], _points[0][0]); + Bezier bezier4(_points[3][3], _points[2][3], _points[1][3], _points[0][3]); + DPair ph = bezier1.valueAt(u)*(1-v) + bezier2.valueAt(u)*v; + DPair pv = bezier3.valueAt(v)*(1-u) + bezier4.valueAt(v)*u; + DPair pc = (_points[3][0]*(1-u) + _points[3][3]*u)*(1-v) + (_points[0][0]*(1-u) + _points[0][3]*u)*v; + return ph+pv-pc; +} + + +/** Sets the 12 control points defining the geometry of the coons patch. The points + * must be given in the following order: + * 3 4 5 6 + * 2 7 + * 1 8 + * 0 11 10 9 + * where each edge of the square represents the four control points of a cubic Bézier curve. + * If the edge flag is 1, 2, or 3, the points 0 to 3 are omitted, and taken from a reference + * patch instead. + * @param[in] points the control points in cyclic order as described in the PS reference, p. 281 + * @param[in] edgeflag defines how to connect this patch to another one + * @param[in] patch reference patch required if edgeflag > 0 */ +void CoonsPatch::setPoints (const PointVec &points, int edgeflag, ShadingPatch *patch) { + CoonsPatch *coonsPatch = dynamic_cast<CoonsPatch*>(patch); + if (edgeflag > 0 && !coonsPatch) + throw ShadingException("missing preceding data in definition of relative Coons patch"); + if ((edgeflag == 0 && points.size() != 12) || (edgeflag > 0 && points.size() != 8)) + throw ShadingException("invalid number of control points in Coons patch definition"); + + // Since a Coons patch is a special tensor product patch, we only have to reorder the + // control points and compute the additional "inner" points of the 4x4 point tensor matrix. + + // set outer control points of the tensor matrix except those of the first column + // because these points depend on the edge flag + int i = (edgeflag == 0 ? 4 : 0); + _points[3][1] = points[i++]; + _points[3][2] = points[i++]; + _points[3][3] = points[i++]; + _points[2][3] = points[i++]; + _points[1][3] = points[i++]; + _points[0][3] = points[i++]; + _points[0][2] = points[i++]; + _points[0][1] = points[i]; + + // set control points of first matrix column + switch (edgeflag) { + case 0: setFirstMatrixColumn(&points[0], false); break; + case 1: setFirstMatrixColumn(coonsPatch->_points[3], false); break; + case 2: setFirstMatrixColumn(coonsPatch->_points, 3, true); break; + case 3: setFirstMatrixColumn(coonsPatch->_points[0], true); break; + } + // compute inner control points of the tensor matrix + _points[1][1] = valueAt(1.0/3.0, 2.0/3.0); + _points[1][2] = valueAt(2.0/3.0, 2.0/3.0); + _points[2][1] = valueAt(1.0/3.0, 1.0/3.0); + _points[2][2] = valueAt(2.0/3.0, 1.0/3.0); +} + + +void CoonsPatch::setColors (const ColorVec &colors, int edgeflag, ShadingPatch *patch) { + CoonsPatch *coonsPatch = dynamic_cast<CoonsPatch*>(patch); + if (edgeflag > 0 && !coonsPatch) + throw ShadingException("missing preceding data in definition of relative Coons patch"); + if ((edgeflag == 0 && colors.size() != 4) || (edgeflag > 0 && colors.size() != 2)) + throw ShadingException("invalid number of colors in Coons patch definition"); + + int i = (edgeflag == 0 ? 2 : 0); + _colors[3] = colors[i]; + _colors[1] = colors[i+1]; + switch (edgeflag) { + case 0: _colors[0] = colors[0]; _colors[2] = colors[1]; break; + case 1: _colors[0] = coonsPatch->_colors[2]; _colors[2] = coonsPatch->_colors[3]; break; + case 2: _colors[0] = coonsPatch->_colors[3]; _colors[2] = coonsPatch->_colors[1]; break; + case 3: _colors[0] = coonsPatch->_colors[1]; _colors[2] = coonsPatch->_colors[0]; break; + } +} + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/TensorProductPatch.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/TensorProductPatch.h new file mode 100644 index 00000000000..50fcac5a1e5 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/TensorProductPatch.h @@ -0,0 +1,95 @@ +/************************************************************************* +** TensorProductPatch.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef TENSORPRODUCTPATCH_H +#define TENSORPRODUCTPATCH_H + +#include <map> +#include <ostream> +#include <vector> +#include "Bezier.h" +#include "Color.h" +#include "MessageException.h" +#include "Pair.h" +#include "ShadingPatch.h" + + +/** This class represents a single tensor product patch P which is defined by 16 control points + * and 4 color values. The mapping of the unit square to the patch surface is defined as the sum + * \f[P(u,v):=\sum_{i=0}^3\sum_{j=0}^3 p_{ij} B_i(u) B_j(v)\f] + * where \f$B_k(t)={3\choose k}(1-t)^k t^k\f$ and \f$u,v \in [0,1]\f$. The four colors assigned + * to the vertices are interpolated bilinearily over the unit square. */ +class TensorProductPatch : public ShadingPatch +{ + friend class CoonsPatch; + + public: + TensorProductPatch () : ShadingPatch(Color::RGB_SPACE) {} + TensorProductPatch (Color::ColorSpace cspace) : ShadingPatch(cspace) {} + TensorProductPatch (const PointVec &points, const ColorVec &colors, Color::ColorSpace cspace, int edgeflag, TensorProductPatch *patch); + int psShadingType() const {return 7;} + void setPoints (const DPair points[4][4], int edgeflag, TensorProductPatch *patch); + void setPoints (const PointVec &points, int edgeflag, ShadingPatch *patch); + void setColors (const ColorVec &colors, int edgeflag, ShadingPatch *patch); + virtual DPair valueAt (double u, double v) const; + Color colorAt (double u, double v) const; + Color averageColor () const; + void horizontalCurve (double v, Bezier &bezier) const; + void verticalCurve (double u, Bezier &bezier) const; + void getBoundaryPath (GraphicPath<double> &path) const; + void subpatch (double u1, double u2, double v1, double v2, TensorProductPatch &patch) const; + DPair blossomValue (double u1, double u2, double u3, double v1, double v2, double v3) const; + DPair blossomValue (double u[3], double v[3]) const {return blossomValue(u[0], u[1], u[2], v[0], v[1], v[2]);} + void approximate (int gridsize, bool overlap, double delta, Callback &callback) const; + void getBBox (BoundingBox &bbox) const; + int numPoints (int edgeflag) const {return edgeflag == 0 ? 16 : 12;} + int numColors (int edgeflag) const {return edgeflag == 0 ? 4 : 2;} + + protected: + Color averageColor (const Color &c1, const Color &c2, const Color &c3, const Color &c4) const; + void approximateRow (double v1, double inc, bool overlap, double delta, const std::vector<Bezier> &beziers, Callback &callback) const; + void setFirstMatrixColumn (const DPair source[4], bool reverse); + void setFirstMatrixColumn (DPair source[4][4], int col, bool reverse); + + private: + DPair _points[4][4]; ///< control point matrix defining the patch surface + Color _colors[4]; ///< vertex colors cK (c0->p00, c1->p03, c2->p30, c3->p33) +}; + + +/** Coons patches are special tensor product patches where the four "inner" control points + * depend on the outer ones, i.e. they are computed automatically and can't be set by the user. + * Thus, a Coons patch is defined by 12 control points, 4 vertex colors and a corresponding + * color space. */ +class CoonsPatch : public TensorProductPatch +{ + public: + CoonsPatch () {} + CoonsPatch (Color::ColorSpace cspace) : TensorProductPatch(cspace) {} + CoonsPatch (const PointVec &points, const ColorVec &colors, Color::ColorSpace cspace, int edgeflag, CoonsPatch *patch); + int psShadingType() const {return 6;} + virtual void setPoints (const PointVec &points, int edgeflag, ShadingPatch *patch); + virtual void setColors (const ColorVec &colors, int edgeflag, ShadingPatch *patch); + virtual DPair valueAt (double u, double v) const; + int numPoints (int edgeflag) const {return edgeflag == 0 ? 12 : 8;} + int numColors (int edgeflag) const {return edgeflag == 0 ? 4 : 2;} +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Terminal.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Terminal.cpp new file mode 100644 index 00000000000..c0d74a5c16e --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Terminal.cpp @@ -0,0 +1,208 @@ +/************************************************************************* +** Terminal.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include "Terminal.h" + +#ifdef HAVE_TERMIOS_H +#include <termios.h> +#endif + +#ifdef GWINSZ_IN_SYS_IOCTL +#include <sys/ioctl.h> +#endif + +#ifdef __WIN32__ +#include <windows.h> +#endif + +#include <cstdio> + + +using namespace std; + + +const int Terminal::RED = 1; +const int Terminal::GREEN = 2; +const int Terminal::BLUE = 4; + +const int Terminal::CYAN = GREEN|BLUE; +const int Terminal::YELLOW = RED|GREEN; +const int Terminal::MAGENTA = RED|BLUE; +const int Terminal::WHITE = RED|GREEN|BLUE; +const int Terminal::DEFAULT = -1; +const int Terminal::BLACK = 0; + +#ifdef __WIN32__ +int Terminal::_defaultColor; +int Terminal::_cursorHeight; +#endif + +int Terminal::_fgcolor = Terminal::DEFAULT; +int Terminal::_bgcolor = Terminal::DEFAULT; + + +/** Initializes the terminal. This method should be called before any of the others. + * @param[in,out] os terminal output stream (currently unused) */ +void Terminal::init (ostream &os) { +#ifdef __WIN32__ + HANDLE h = GetStdHandle(STD_OUTPUT_HANDLE); + if (h != INVALID_HANDLE_VALUE) { + CONSOLE_SCREEN_BUFFER_INFO buffer_info; + GetConsoleScreenBufferInfo(h, &buffer_info); + _defaultColor = (buffer_info.wAttributes & 0xff); + CONSOLE_CURSOR_INFO cursor_info; + GetConsoleCursorInfo(h, &cursor_info); + _cursorHeight = cursor_info.dwSize; + } +#endif +} + + +/** Finishes the terminal output. Should be called after last terminal action. + * @param[in,out] os terminal output stream */ +void Terminal::finish (ostream &os) { + fgcolor(DEFAULT, os); + bgcolor(DEFAULT, os); + cursor(true); +} + + +/** Returns the number of terminal columns (number of characters per row). + * If it's not possible to retrieve information about the terminal size, 0 is returned. */ +int Terminal::columns () { +#if defined(TIOCGWINSZ) + struct winsize ws; + if (ioctl(fileno(stderr), TIOCGWINSZ, &ws) < 0) + return 0; + return ws.ws_col; +#elif defined(__WIN32__) + CONSOLE_SCREEN_BUFFER_INFO info; + if (!GetConsoleScreenBufferInfo(GetStdHandle(STD_ERROR_HANDLE), &info)) + return 0; + return info.dwSize.X; +#else + return 0; +#endif +} + + +/** Returns the number of terminal rows. + * If it's not possible to retrieve information about the terminal size, 0 is returned. */ +int Terminal::rows () { +#if defined(TIOCGWINSZ) + struct winsize ws; + if (ioctl(fileno(stderr), TIOCGWINSZ, &ws) < 0) + return 0; + return ws.ws_row; +#elif defined(__WIN32__) + CONSOLE_SCREEN_BUFFER_INFO info; + if (!GetConsoleScreenBufferInfo(GetStdHandle(STD_ERROR_HANDLE), &info)) + return 0; + return info.dwSize.Y; +#else + return 0; +#endif +} + + +/** Sets the foreground color. + * @param[in] color color code + * @param[in] os terminal output stream */ +void Terminal::fgcolor (int color, ostream &os) { + _fgcolor = color; + +#ifdef __WIN32__ + HANDLE h = GetStdHandle(STD_OUTPUT_HANDLE); + if (h != INVALID_HANDLE_VALUE) { + CONSOLE_SCREEN_BUFFER_INFO info; + GetConsoleScreenBufferInfo(h, &info); + if (_fgcolor == DEFAULT) + color = _defaultColor & 0x0f; + else { + // swap red and blue bits + color = (color & 0x0a) | ((color & 1) << 2) | ((color & 4) >> 2); + } + color = (info.wAttributes & 0xf0) | (color & 0x0f); + SetConsoleTextAttribute(h, (DWORD)color); + } +#else + bool light = false; + if (color != DEFAULT && color > 7) { + light = true; + color %= 8; + } + if (color == DEFAULT) { + os << "\x1B[0m"; + if (_bgcolor != DEFAULT) + bgcolor(_bgcolor, os); + } + else + os << "\x1B[" << (light ? '1': '0') << ';' << (30+(color & 0x07)) << 'm'; +#endif +} + + +/** Sets the background color. + * @param[in] color color code + * @param[in] os terminal output stream */ +void Terminal::bgcolor (int color, ostream &os) { + _bgcolor = color; +#ifdef __WIN32__ + HANDLE h = GetStdHandle(STD_OUTPUT_HANDLE); + if (h != INVALID_HANDLE_VALUE) { + CONSOLE_SCREEN_BUFFER_INFO info; + GetConsoleScreenBufferInfo(h, &info); + if (_bgcolor == DEFAULT) + color = (_defaultColor & 0xf0) >> 4; + else { + // swap red and blue bits + color = (color & 0x0a) | ((color & 1) << 2) | ((color & 4) >> 2); + } + color = (info.wAttributes & 0x0f) | ((color & 0x0f) << 4); + SetConsoleTextAttribute(h, (DWORD)color); + } +#else + if (color != DEFAULT && color > 7) + color %= 8; + if (color == DEFAULT) { + os << "\x1B[0m"; + if (_fgcolor != DEFAULT) + fgcolor(_fgcolor, os); + } + else + os << "\x1B[" << (40+(color & 0x07)) << 'm'; +#endif +} + + +/** Disables or enables the console cursor + * @param[in] visible if false, the cursor is disabled, and enabled otherwise */ +void Terminal::cursor (bool visible) { +#ifdef __WIN32__ + HANDLE h = GetStdHandle(STD_OUTPUT_HANDLE); + if (h != INVALID_HANDLE_VALUE) { + CONSOLE_CURSOR_INFO cursor_info; + cursor_info.bVisible = visible; + cursor_info.dwSize = _cursorHeight; + SetConsoleCursorInfo(h, &cursor_info); + } +#endif +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Terminal.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Terminal.h new file mode 100644 index 00000000000..8998e054f77 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Terminal.h @@ -0,0 +1,58 @@ +/************************************************************************* +** Terminal.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_TERMINAL_H +#define DVISVGM_TERMINAL_H + +#include <ostream> + +class Terminal +{ + public: + static const int DEFAULT; + static const int BLACK; + static const int RED; + static const int GREEN; + static const int BLUE; + static const int CYAN; + static const int YELLOW; + static const int MAGENTA; + static const int WHITE; + + public: + static void init (std::ostream &os); + static void finish (std::ostream &os); + static int columns (); + static int rows (); + static void fgcolor (int color, std::ostream &os); + static void bgcolor (int color, std::ostream &os); + static void cursor (bool visible); + + private: + static int _fgcolor; ///< current foreground color + static int _bgcolor; ///< current background color + +#ifdef __WIN32__ + static int _defaultColor; + static int _cursorHeight; ///< current height of the cursor in percent +#endif +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/ToUnicodeMap.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/ToUnicodeMap.cpp new file mode 100644 index 00000000000..fa749d31f38 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/ToUnicodeMap.cpp @@ -0,0 +1,106 @@ +/************************************************************************* +** ToUnicodeMap.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <limits> +#include "ToUnicodeMap.h" +#include "Unicode.h" + +using namespace std; + + +/** Adds valid but random mappings for all missing character indexes. + * If a font's cmap table doesn't provide Unicode mappings for some + * glyphs in the font, it's necessary to fill the gaps in order to + * handle all characters correctly. This functions assumes that the + * characters are numbered from 1 to maxIndex. + * @param[in] maxIndex largest character index to consider + * @return true on success */ +bool ToUnicodeMap::addMissingMappings (UInt32 maxIndex) { + bool success=true; + // collect Unicode points already in assigned + NumericRanges<UInt32> codepoints; + for (size_t i=0; i < size() && success; i++) + codepoints.addRange(rangeAt(i).minval(), rangeAt(i).maxval()); + // fill unmapped ranges + if (empty()) // no Unicode mapping present at all? + success = fillRange(1, maxIndex, 1, codepoints, true); + else { // (partial) Unicode mapping present? + success = fillRange(1, rangeAt(0).min()-1, rangeAt(0).minval()-1, codepoints, false); + for (size_t i=0; i < size()-1 && success; i++) + success = fillRange(rangeAt(i).max()+1, rangeAt(i+1).min()-1, rangeAt(i).maxval()+1, codepoints, true); + if (success) + success = fillRange(rangeAt(size()-1).max()+1, maxIndex, rangeAt(size()-1).maxval()+1, codepoints, true); + } + return success; +} + + +/** Checks if a given codepoint is valid and unused. Otherwise, try to find an alternative. + * @param[in,out] ucp codepoint to fix + * @param[in] used_codepoints codepoints already in use + * @param[in] ascending if true, increase ucp to look for valid/unused codepoints + * @return true on success */ +static bool fix_codepoint (UInt32 &ucp, const NumericRanges<UInt32> &used_codepoints, bool ascending) { + UInt32 start = ucp; + while (!Unicode::isValidCodepoint(ucp) && used_codepoints.valueExists(ucp)) { + if (ascending) + ucp = (ucp == numeric_limits<UInt32>::max()) ? 0 : ucp+1; + else + ucp = (ucp == 0) ? numeric_limits<UInt32>::max() : ucp-1; + if (ucp == start) // no free Unicode point found + return false; + } + return true; +} + + +static bool is_less_or_equal (UInt32 a, UInt32 b) {return a <= b;} +static bool is_greater_or_equal (UInt32 a, UInt32 b) {return a >= b;} + + +/** Adds index to Unicode mappings for a given range of character indexes. + * @param[in] minIndex lower bound of range to fill + * @param[in] maxIndex upper bound of range to fill + * @param[in] ucp first Unicode point to add (if possible) + * @param[in,out] used_ucps Unicode points already in use + * @param[in] ascending if true, fill range from lower to upper bound + * @return true on success */ +bool ToUnicodeMap::fillRange (UInt32 minIndex, UInt32 maxIndex, UInt32 ucp, NumericRanges<UInt32> &used_ucps, bool ascending) { + if (minIndex <= maxIndex) { + UInt32 first=minIndex, last=maxIndex; + int inc=1; + bool (*cmp)(UInt32, UInt32) = is_less_or_equal; + if (!ascending) { + swap(first, last); + inc = -1; + cmp = is_greater_or_equal; + } + for (UInt32 i=first; cmp(i, last); i += inc) { + if (!fix_codepoint(ucp, used_ucps, ascending)) + return false; + else { + addRange(i, i, ucp); + used_ucps.addRange(ucp); + ucp += inc; // preferred Unicode point for the next character of the current range + } + } + } + return true; +}
\ No newline at end of file diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/ToUnicodeMap.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/ToUnicodeMap.h new file mode 100644 index 00000000000..bf7788b7b98 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/ToUnicodeMap.h @@ -0,0 +1,38 @@ +/************************************************************************* +** ToUnicodeMap.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef TOUNICODEMAP_H +#define TOUNICODEMAP_H + +#include "NumericRanges.h" +#include "RangeMap.h" + + +/** Represents a mapping from character indexes to unicode points. */ +class ToUnicodeMap : public RangeMap +{ + public: + bool addMissingMappings (UInt32 maxIndex); + + protected: + bool fillRange (UInt32 minIndex, UInt32 maxIndex, UInt32 ucp, NumericRanges<UInt32> &used_ucps, bool ascending); +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/TpicSpecialHandler.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/TpicSpecialHandler.cpp new file mode 100644 index 00000000000..de769352019 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/TpicSpecialHandler.cpp @@ -0,0 +1,329 @@ +/************************************************************************* +** TpicSpecialHandler.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#define _USE_MATH_DEFINES +#include <config.h> +#include <cmath> +#include <cstring> +#include <sstream> +#include "Color.h" +#include "InputBuffer.h" +#include "InputReader.h" +#include "GraphicPath.h" +#include "SpecialActions.h" +#include "SVGTree.h" +#include "TpicSpecialHandler.h" +#include "XMLNode.h" +#include "XMLString.h" +#include "types.h" + +using namespace std; + + +TpicSpecialHandler::TpicSpecialHandler () { + reset(); +} + + +void TpicSpecialHandler::dviEndPage (unsigned pageno) { + reset(); +} + + +void TpicSpecialHandler::reset () { + _points.clear(); + _penwidth = 1.0; + _fill = -1.0; // no fill +} + + +/** Creates SVG elements that draw lines through the recorded points. + * @param[in] stroke if true, the (out)line is drawn (in black) + * @param[in] fill if true, enclosed area is filled with current color + * @param[in] ddist dash/dot distance of line in PS point units + * (0:solid line, >0:dashed line, <0:dotted line) + * @param[in] actions object providing the actions that can be performed by the SpecialHandler */ +void TpicSpecialHandler::drawLines (bool stroke, bool fill, double ddist, SpecialActions *actions) { + if (actions && !_points.empty()) { + XMLElementNode *elem=0; + if (_points.size() == 1) { + const DPair &p = _points.back(); + elem = new XMLElementNode("circle"); + elem->addAttribute("cx", p.x()+actions->getX()); + elem->addAttribute("cy", p.y()+actions->getY()); + elem->addAttribute("r", _penwidth/2.0); + actions->embed(p, _penwidth/2.0); + } + else { + if (_points.size() == 2 || (!fill && _points.front() != _points.back())) { + elem = new XMLElementNode("polyline"); + elem->addAttribute("fill", "none"); + elem->addAttribute("stroke-linecap", "round"); + } + else { + if (_points.front() == _points.back()) + _points.pop_back(); + if (_fill < 0) + _fill = 1; + Color color = actions->getColor(); + color *= _fill; + elem = new XMLElementNode("polygon"); + elem->addAttribute("fill", fill ? color.rgbString() : "none"); + } + ostringstream oss; + FORALL(_points, vector<DPair>::iterator, it) { + if (it != _points.begin()) + oss << ' '; + double x = it->x()+actions->getX(); + double y = it->y()+actions->getY(); + oss << XMLString(x) << ',' << XMLString(y); + actions->embed(DPair(x, y)); + } + elem->addAttribute("points", oss.str()); + if (stroke) { // draw outline? + elem->addAttribute("stroke", "black"); + elem->addAttribute("stroke-width", XMLString(_penwidth)); + } + } + if (ddist > 0) + elem->addAttribute("stroke-dasharray", XMLString(ddist)); + else if (ddist < 0) + elem->addAttribute("stroke-dasharray", XMLString(_penwidth) + ' ' + XMLString(-ddist)); + actions->appendToPage(elem); + } + reset(); +} + + +/** Stroke a quadratic spline through the midpoints of the lines defined by + * the previously recorded points. The spline starts with a straight line + * from the first point to the mid-point of the first line. The spline ends + * with a straight line from the mid-point of the last line to the last point. + * If ddist=0, the spline is stroked solid. Otherwise ddist denotes the length + * of the dashes and the gaps inbetween. + * @param[in] ddist length of dashes and gaps + * @param[in] actions object providing the actions that can be performed by the SpecialHandler */ +void TpicSpecialHandler::drawSplines (double ddist, SpecialActions *actions) { + if (!actions || _points.empty()) + return; + const size_t size = _points.size(); + if (size < 3) + drawLines(true, false, ddist, actions); + else { + DPair p(actions->getX(), actions->getY()); + GraphicPath<double> path; + path.moveto(p+_points[0]); + DPair mid = p+_points[0]+(_points[1]-_points[0])/2.0; + path.lineto(mid); + actions->embed(p+_points[0]); + for (size_t i=1; i < size-1; i++) { + const DPair p0 = p+_points[i-1]; + const DPair p1 = p+_points[i]; + const DPair p2 = p+_points[i+1]; + mid = p1+(p2-p1)/2.0; + path.conicto(p1, mid); + actions->embed(mid); + actions->embed((p0+p1*6.0+p2)/8.0, _penwidth); + } + if (_points[0] == _points[size-1]) // closed path? + path.closepath(); + else { + path.lineto(p+_points[size-1]); + actions->embed(p+_points[size-1]); + } + + Color color = actions->getColor(); + color *= _fill; + XMLElementNode *pathElem = new XMLElementNode("path"); + if (_fill >= 0) { + if (_points[0] != _points[size-1]) + path.closepath(); + pathElem->addAttribute("fill", color.rgbString()); + } + else + pathElem->addAttribute("fill", "none"); + + ostringstream oss; + path.writeSVG(oss, SVGTree::RELATIVE_PATH_CMDS); + pathElem->addAttribute("d", oss.str()); + pathElem->addAttribute("stroke", actions->getColor().rgbString()); + pathElem->addAttribute("stroke-width", XMLString(_penwidth)); + if (ddist > 0) + pathElem->addAttribute("stroke-dasharray", XMLString(ddist)); + else if (ddist < 0) + pathElem->addAttribute("stroke-dasharray", XMLString(_penwidth) + ' ' + XMLString(-ddist)); + actions->appendToPage(pathElem); + } + reset(); +} + + +/** Draws an elliptical arc. + * @param[in] cx x-coordinate of arc center + * @param[in] cy y-coordinate of arc center + * @param[in] rx length of horizonal semi-axis + * @param[in] ry length of vertical semi-axis + * @param[in] angle1 starting angle (clockwise) relative to x-axis + * @param[in] angle2 ending angle (clockwise) relative to x-axis + * @param[in] actions object providing the actions that can be performed by the SpecialHandler */ +void TpicSpecialHandler::drawArc (double cx, double cy, double rx, double ry, double angle1, double angle2, SpecialActions *actions) { + if (actions) { + const double PI2 = 2*M_PI; + angle1 *= -1; + angle2 *= -1; + if (fabs(angle1) > PI2) { + int n = (int)(angle1/PI2); + angle1 = angle1 - n*PI2; + angle2 = angle2 - n*PI2; + } + + double x = cx + actions->getX(); + double y = cy + actions->getY(); + XMLElementNode *elem=0; + if (fabs(angle1-angle2) >= PI2) { // closed ellipse? + elem = new XMLElementNode("ellipse"); + elem->addAttribute("cx", XMLString(x)); + elem->addAttribute("cy", XMLString(y)); + elem->addAttribute("rx", XMLString(rx)); + elem->addAttribute("ry", XMLString(ry)); + } + else { + if (angle1 < 0) + angle1 = PI2+angle1; + if (angle2 < 0) + angle2 = PI2+angle2; + elem = new XMLElementNode("path"); + int large_arg = fabs(angle1-angle2) > M_PI ? 0 : 1; + int sweep_flag = angle1 > angle2 ? 0 : 1; + if (angle1 > angle2) { + large_arg = 1-large_arg; + sweep_flag = 1-sweep_flag; + } + ostringstream oss; + oss << 'M' << XMLString(x+rx*cos(angle1)) << ',' << XMLString(y+ry*sin(-angle1)) + << 'A' << XMLString(rx) << ',' << XMLString(ry) + << " 0 " + << large_arg << ' ' << sweep_flag << ' ' + << XMLString(x+rx*cos(angle2)) << ',' << XMLString(y-ry*sin(angle2)); + if (_fill >= 0) + oss << 'Z'; + elem->addAttribute("d", oss.str()); + } + elem->addAttribute("stroke-width", _penwidth); + elem->addAttribute("stroke", actions->getColor().rgbString()); + elem->addAttribute("stroke-linecap", "round"); + elem->addAttribute("fill", "none"); + if (_fill >= 0) { + Color color=actions->getColor(); + color *= _fill; + elem->addAttribute("fill", color.rgbString()); + } + else + elem->addAttribute("fill", "none"); + actions->appendToPage(elem); + actions->embed(BoundingBox(cx-rx, cy-ry, cx+rx, cy+ry)); + } + reset(); +} + + +#define cmd_id(c1,c2) ((c1 << 8) | c2) + +bool TpicSpecialHandler::process (const char *prefix, istream &is, SpecialActions *actions) { + if (!prefix || strlen(prefix) != 2) + return false; + + const double mi2bp=0.072; // factor for milli-inch to PS points + StreamInputBuffer ib(is); + BufferInputReader in(ib); + switch (cmd_id(prefix[0], prefix[1])) { + case cmd_id('p','n'): // set pen width in milli-inches + _penwidth = in.getDouble()*mi2bp; + break; + case cmd_id('b','k'): // set fill color to black + _fill = 0; + break; + case cmd_id('w','h'): // set fill color to white + _fill = 1; + break; + case cmd_id('s','h'): // set fill color to given gray level + in.skipSpace(); + _fill = in.eof() ? 0.5 : max(0.0, min(1.0, in.getDouble())); + break; + case cmd_id('t','x'): // set fill pattern + break; + case cmd_id('p','a'): { // add point to path + double x = in.getDouble()*mi2bp; + double y = in.getDouble()*mi2bp; + _points.push_back(DPair(x,y)); + break; + } + case cmd_id('f','p'): // draw solid lines through recorded points; close and fill path if fill color was defined + drawLines(true, _fill >= 0, 0, actions); + break; + case cmd_id('i','p'): // don't draw outlines but close the recorded path and fill the resulting polygon + drawLines(false, true, 0, actions); + break; + case cmd_id('d','a'): // as fp but draw dashed lines + drawLines(true, _fill >= 0, in.getDouble()*72, actions); + break; + case cmd_id('d','t'): // as fp but draw dotted lines + drawLines(true, _fill >= 0, -in.getDouble()*72, actions); + break; + case cmd_id('s','p'): { // draw quadratic splines through recorded points + double ddist = in.getDouble(); + drawSplines(ddist, actions); + break; + } + case cmd_id('a','r'): { // draw elliptical arc + double cx = in.getDouble()*mi2bp; + double cy = in.getDouble()*mi2bp; + double rx = in.getDouble()*mi2bp; + double ry = in.getDouble()*mi2bp; + double a1 = in.getDouble(); + double a2 = in.getDouble(); + drawArc(cx, cy, rx, ry, a1, a2, actions); + break; + } + case cmd_id('i','a'): { // fill elliptical arc + double cx = in.getDouble()*mi2bp; + double cy = in.getDouble()*mi2bp; + double rx = in.getDouble()*mi2bp; + double ry = in.getDouble()*mi2bp; + double a1 = in.getDouble(); + double a2 = in.getDouble(); + if (_fill < 0) + _fill = 1; + drawArc(cx, cy, rx, ry, a1, a2, actions); + if (_fill < 0) + _fill = -1; + break; + } + default: + return false; + } + return true; +} + + +const char** TpicSpecialHandler::prefixes () const { + static const char *pfx[] = {"ar", "bk", "da", "dt", "fp", "ia", "ip", "pa", "pn", "sh", "sp", "tx", "wh", 0}; + return pfx; +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/TpicSpecialHandler.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/TpicSpecialHandler.h new file mode 100644 index 00000000000..3c5ea9fa876 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/TpicSpecialHandler.h @@ -0,0 +1,50 @@ +/************************************************************************* +** TpicSpecialHandler.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_TPICSPECIALHANDLER_H +#define DVISVGM_TPICSPECIALHANDLER_H + +#include <list> +#include "Pair.h" +#include "SpecialHandler.h" + +class TpicSpecialHandler : public SpecialHandler, public DVIEndPageListener +{ + public: + TpicSpecialHandler (); + const char* info () const {return "TPIC specials";} + const char* name () const {return "tpic";} + const char** prefixes () const; + bool process (const char *prefix, std::istream &is, SpecialActions *actions); + + protected: + void dviEndPage (unsigned pageno); + void reset (); + void drawLines (bool stroke, bool fill, double ddist, SpecialActions *actions); + void drawSplines (double ddist, SpecialActions *actions); + void drawArc (double cx, double cy, double rx, double ry, double angle1, double angle2, SpecialActions *actions); + + private: + double _penwidth; ///< pen width in PS point units + double _fill; ///< fill intensity [0,1]; if < 0, we don't fill anything + std::vector<DPair> _points; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/TriangularPatch.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/TriangularPatch.cpp new file mode 100644 index 00000000000..75b3132345b --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/TriangularPatch.cpp @@ -0,0 +1,214 @@ +/************************************************************************* +** TriangularPatch.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include "TriangularPatch.h" + +using namespace std; + +TriangularPatch::TriangularPatch (const PointVec &points, const ColorVec &colors, Color::ColorSpace cspace, int edgeflag, TriangularPatch *patch) + : ShadingPatch(cspace) +{ + setPoints(points, edgeflag, patch); + setColors(colors, edgeflag, patch); +} + + +void TriangularPatch::setPoints (const PointVec &points, int edgeflag, ShadingPatch *patch) { + TriangularPatch *triangularPatch = dynamic_cast<TriangularPatch*>(patch); + if (edgeflag > 0 && !triangularPatch) + throw ShadingException("missing preceding data in definition of triangular patch"); + if ((edgeflag == 0 && points.size() != 3) || (edgeflag > 0 && points.size() != 1)) + throw ShadingException("invalid number of vertices in triangular patch definition"); + + _points[0] = points[0]; + switch (edgeflag) { + case 0: + _points[1] = points[1]; + _points[2] = points[2]; + break; + case 1: + _points[1] = triangularPatch->_points[1]; + _points[2] = triangularPatch->_points[2]; + break; + case 2: + _points[1] = triangularPatch->_points[2]; + _points[2] = triangularPatch->_points[0]; + } +} + + +void TriangularPatch::setPoints (const DPair &p1, const DPair &p2, const DPair &p3) { + _points[0] = p1; + _points[1] = p2; + _points[2] = p3; +} + + +void TriangularPatch::setColors (const ColorVec &colors, int edgeflag, ShadingPatch *patch) { + TriangularPatch *triangularPatch = dynamic_cast<TriangularPatch*>(patch); + if (edgeflag > 0 && !triangularPatch) + throw ShadingException("missing preceding data in definition of triangular patch"); + if ((edgeflag == 0 && colors.size() != 3) || (edgeflag > 0 && colors.size() != 1)) + throw ShadingException("invalid number of colors in triangular patch definition"); + + _colors[0] = colors[0]; + switch (edgeflag) { + case 0: + _colors[1] = colors[1]; + _colors[2] = colors[2]; + break; + case 1: + _colors[1] = triangularPatch->_colors[1]; + _colors[2] = triangularPatch->_colors[2]; + break; + case 2: + _colors[1] = triangularPatch->_colors[2]; + _colors[2] = triangularPatch->_colors[0]; + } +} + + +void TriangularPatch::setColors (const Color &c1, const Color &c2, const Color &c3) { + _colors[0] = c1; + _colors[1] = c2; + _colors[2] = c3; +} + + +/** Returns the Cartesian coordinates for the barycentric coordinates \f$(u, v, 1-u-v)\f$ + * of a point of the triangle, where \f$u, v \in [0,1]\f$ and \f$u+v \le 1\f$. + * The relation between the vertices of the triangle and their barycentric coordinates + * is as follows: \f$(1,0,0)=p_1, (0,1,0)=p_2, (0,0,1)=p_0\f$. */ +DPair TriangularPatch::valueAt (double u, double v) const { + return _points[0] + (_points[1]-_points[0])*u + (_points[2]-_points[0])*v; +} + + +/** Returns the color at a given point of the triangle. The point must be given + * in barycentric coordinates \f$(u, v, 1-u-v)\f$, where \f$u, v \in [0,1]\f$ + * and \f$u+v \le 1\f$. + * The relation between the vertices of the triangle and their barycentric coordinates + * is as follows: \f$(1,0,0)=p_1, (0,1,0)=p_2, (0,0,1)=p_0\f$. */ +Color TriangularPatch::colorAt (double u, double v) const { + ColorGetter getComponents; + ColorSetter setComponents; + colorQueryFuncs(getComponents, setComponents); + valarray<double> comp[3]; + for (int i=0; i < 3; i++) + (_colors[i].*getComponents)(comp[i]); + Color color; + (color.*setComponents)(comp[0]*(1-u-v) + comp[1]*u + comp[2]*v); + return color; +} + + +Color TriangularPatch::averageColor () const { + return averageColor(_colors[0], _colors[1], _colors[2]); +} + + +/** Compute the average of three given colors depending on the assigned color space. */ +Color TriangularPatch::averageColor (const Color &c1, const Color &c2, const Color &c3) const { + ColorGetter getComponents; + ColorSetter setComponents; + colorQueryFuncs(getComponents, setComponents); + valarray<double> va1, va2, va3; + (c1.*getComponents)(va1); + (c2.*getComponents)(va2); + (c3.*getComponents)(va3); + Color averageColor; + (averageColor.*setComponents)((va1+va2+va3)/3.0); + return averageColor; +} + + +/** Snaps value x to the interval [0,1]. Values lesser than or near 0 are mapped to 0, values + * greater than or near 1 are mapped to 1. */ +static inline double snap (double x) { + if (fabs(x) < 0.001) + return 0; + if (fabs(1-x) < 0.001) + return 1; + return x; +} + + +/** Approximate the patch by dividing it into a grid of triangular segments that are filled + * with the average color of the corresponding region. In order to prevent visual gaps between + * adjacent segments due to anti-aliasing, the flag 'overlap' can be set. It enlarges the + * segments so that they overlap with their right and bottom neighbors (which are drawn on + * top of the overlapping regions). + * @param[in] gridsize number of segments per row/column + * @param[in] overlap if true, enlarge each segment to overlap with its right and bottom neighbors + * @param[in] delta reduce level of detail if the segment size is smaller than the given value + * @param[in] callback object notified */ +void TriangularPatch::approximate (int gridsize, bool overlap, double delta, Callback &callback) const { + if (_colors[0] == _colors[1] && _colors[1] == _colors[2]) { + GraphicPath<double> path; + getBoundaryPath(path); + callback.patchSegment(path, _colors[0]); + } + else { + const double inc = 1.0/gridsize; + for (double u1=0; u1 < 1; u1=snap(u1+inc)) { + double u2 = snap(u1+inc); + double ou2 = (overlap && snap(u2+inc) <= 1 ? snap(u2+inc) : u2); + for (double v1=0; snap(u1+v1) < 1; v1=snap(v1+inc)) { + double v2 = snap(v1+inc); + double ov2 = (overlap && snap(v2+inc) <= 1 ? snap(v2+inc) : v2); + if (!overlap || (snap(u1+ov2) <= 1 && snap(ou2+v1) <= 1)) { + // create triangular segments pointing in the same orientation as the whole patch + GraphicPath<double> path; + path.moveto(valueAt(u1, v1)); + path.lineto(valueAt(ou2, v1)); + path.lineto(valueAt(u1, ov2)); + path.closepath(); + callback.patchSegment(path, averageColor(colorAt(u1, v1), colorAt(u2, v1), colorAt(u1, v2))); + if (snap(u2+v2) <= 1 && (!overlap || inc > delta)) { + // create triangular segments pointing in the opposite direction as the whole patch + path.clear(); + path.moveto(valueAt(u1, v2)); + path.lineto(valueAt(u2, v1)); + path.lineto(valueAt(u2, v2)); + path.closepath(); + callback.patchSegment(path, averageColor(colorAt(u1, v2), colorAt(u2, v1), colorAt(u2, v2))); + } + } + } + } + } +} + + +void TriangularPatch::getBoundaryPath(GraphicPath<double> &path) const { + path.clear(); + path.moveto(_points[0]); + path.lineto(_points[1]); + path.lineto(_points[2]); + path.closepath(); +} + + +void TriangularPatch::getBBox (BoundingBox &bbox) const { + bbox.invalidate(); + bbox.embed(_points[0]); + bbox.embed(_points[1]); + bbox.embed(_points[2]); +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/TriangularPatch.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/TriangularPatch.h new file mode 100644 index 00000000000..d18d76ebb0a --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/TriangularPatch.h @@ -0,0 +1,64 @@ +/************************************************************************* +** TriangularPatch.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_TRIANGULARPATCH_H +#define DVISVGM_TRIANGULARPATCH_H + +#include "Color.h" +#include "Pair.h" +#include "ShadingPatch.h" + +class TriangularPatch : public ShadingPatch +{ + public: + TriangularPatch (); + TriangularPatch (Color::ColorSpace cspace) : ShadingPatch(cspace) {} + TriangularPatch (const PointVec &points, const ColorVec &colors, Color::ColorSpace cspace, int edgeflag, TriangularPatch *patch); + int psShadingType() const {return 4;} + DPair valueAt (double u, double v) const; + Color colorAt (double u, double v) const; + Color averageColor() const; + void setPoints (const PointVec &points, int edgeflag, ShadingPatch *patch); + void setPoints (const DPair &p1, const DPair &p2, const DPair &p3); + void setColors (const ColorVec &colors, int edgeflag, ShadingPatch *patch); + void setColors (const Color &c1, const Color &c2, const Color &c3); + void approximate (int gridsize, bool overlap, double delta, Callback &listener) const; + void getBBox (BoundingBox &bbox) const; + void getBoundaryPath(GraphicPath<double> &path) const; + int numPoints (int edgeflag) const {return edgeflag == 0 ? 3 : 1;} + int numColors (int edgeflag) const {return edgeflag == 0 ? 3 : 1;} + + protected: + Color averageColor (const Color &c1, const Color &c2, const Color &c3) const; + + private: + DPair _points[3]; + Color _colors[3]; +}; + + +class LatticeTriangularPatch : public TriangularPatch +{ + public: + LatticeTriangularPatch (Color::ColorSpace cspace) : TriangularPatch(cspace) {} + int psShadingType() const {return 5;} +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Unicode.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Unicode.cpp new file mode 100644 index 00000000000..b0a8ace7f3b --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Unicode.cpp @@ -0,0 +1,4553 @@ +/************************************************************************* +** Unicode.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <xxhash.h> +#include <cstddef> +#include "Unicode.h" + +using namespace std; + + +/** Returns true if c is a valid Unicode point in XML documents. + * XML version 1.0 doesn't allow various Unicode character references + * ( for example). */ +bool Unicode::isValidCodepoint (UInt32 c) { + if ((c & 0xffff) == 0xfffe || (c & 0xffff) == 0xffff) + return false; + + UInt32 ranges[] = { + 0x0000, 0x0020, // basic control characters + space + 0x007f, 0x009f, // use of control characters is discouraged by the XML standard + 0x202a, 0x202e, // bidi control characters + 0xd800, 0xdfff, // High Surrogates are not allowed in XML + 0xfdd0, 0xfdef, // non-characters for internal use by applications + }; + for (size_t i=0; i < sizeof(ranges)/sizeof(UInt32) && c >= ranges[i]; i+=2) + if (c <= ranges[i+1]) + return false; + return true; +} + + +/** Returns a valid Unicode point for the given character code. Character codes + * that are invalid code points because the XML standard forbids or discourages + * their usage, are mapped to the Private Use Zone U+E000-U+F8FF. */ +UInt32 Unicode::charToCodepoint (UInt32 c) { + UInt32 ranges[] = { + 0x0000, 0x0020, 0xe000, // basic control characters + space + 0x007f, 0x009f, 0xe021, // use of control characters is discouraged by the XML standard + 0x202a, 0x202e, 0xe042, // bidi control characters + 0xd800, 0xdfff, 0xe047, // High Surrogates are not allowed in XML + 0xfdd0, 0xfdef, 0xe847, // non-characters for internal use by applications + 0xfffe, 0xffff, 0xe867, + 0x1fffe, 0x1ffff, 0xe869, + 0x2fffe, 0x2ffff, 0xe86b, + 0x3fffe, 0x3ffff, 0xe86d, + 0x4fffe, 0x4ffff, 0xe86f, + 0x5fffe, 0x5ffff, 0xe871, + 0x6fffe, 0x6ffff, 0xe873, + 0x7fffe, 0x7ffff, 0xe875, + 0x8fffe, 0x8ffff, 0xe877, + 0x9fffe, 0x9ffff, 0xe879, + 0xafffe, 0xaffff, 0xe87b, + 0xbfffe, 0xbffff, 0xe87d, + 0xcfffe, 0xcffff, 0xe87f, + 0xdfffe, 0xdffff, 0xe881, + 0xefffe, 0xeffff, 0xe883, + 0xffffe, 0xfffff, 0xe885, + 0x10fffe, 0x10ffff, 0xe887 + }; + for (size_t i=0; i < sizeof(ranges)/sizeof(unsigned) && c >= ranges[i]; i+=3) + if (c <= ranges[i+1]) + return ranges[i+2]+c-ranges[i]; + return c; +} + + +/** Converts a Unicode value to a UTF-8 byte sequence. + * @param[in] c character code + * @return utf8 sequence consisting of 1-4 bytes */ +string Unicode::utf8 (Int32 c) { + string utf8; + if (c >= 0) { + if (c < 0x80) + utf8 += c; + else if (c < 0x800) { + utf8 += 0xC0 + (c >> 6); + utf8 += 0x80 + (c & 0x3F); + } + else if (c < 0x10000) { + utf8 += 0xE0 + (c >> 12); + utf8 += 0x80 + ((c >> 6) & 0x3F); + utf8 += 0x80 + (c & 0x3F); + } + else if (c < 0x110000) { + utf8 += 0xF0 + (c >> 18); + utf8 += 0x80 + ((c >> 12) & 0x3F); + utf8 += 0x80 + ((c >> 6) & 0x3F); + utf8 += 0x80 + (c & 0x3F); + } + // UTF-8 does not support codepoints >= 0x110000 + } + return utf8; +} + + +/* The following table provides a compact mapping from PostScript character names + * to Unicode points. Instead of using the character names directly it maps the + * hash values (xxhash32) of the names to the corresponding code points. + * The character mapping is derived from + * http://partners.adobe.com/public/developer/en/opentype/glyphlist.txt and + * http://tug.ctan.org/macros/latex/contrib/pdfx/glyphtounicode-cmr.tex */ +static struct Hash2Unicode { + UInt32 hash; + UInt32 codepoint; +} hash2unicode[] = { + {0x001cf4a9, 0x0118}, // Eogonek + {0x003b11fb, 0x055f}, // abbreviationmarkarmenian + {0x0050a316, 0x0444}, // afii10086 + {0x0066ddfe, 0x03a5}, // Upsilon + {0x0067a87d, 0x0026}, // ampersand + {0x007399ea, 0x2118}, // weierstrass + {0x009a8cbc, 0x30c8}, // tokatakana + {0x00a8ecc1, 0xfb93}, // gaffinalarabic + {0x00b0f8d6, 0x05b2}, // hatafpatahwidehebrew + {0x00b1b890, 0x2486}, // nineteenparen + {0x00b92975, 0x05a7}, // dargalefthebrew + {0x00c458a3, 0x2154}, // twothirds + {0x00e73988, 0x09b8}, // sabengali + {0x00f475c4, 0x03ee}, // Deicoptic + {0x00fa9974, 0x0303}, // tildecmb + {0x01012c9a, 0x05b4}, // hiriq + {0x0107d6e3, 0x0933}, // lladeva + {0x01127238, 0x3237}, // ideographiccongratulationparen + {0x011abc50, 0x0547}, // Shaarmenian + {0x01297545, 0x25aa}, // H18543 + {0x012d44bc, 0x05d6}, // afii57670 + {0x013044fb, 0x2205}, // emptyset + {0x01422ce1, 0x0486}, // psilipneumatacyrilliccmb + {0x01532d0f, 0x002f}, // slashBig + {0x01571757, 0xfe6b}, // atsmall + {0x01678eeb, 0x066b}, // decimalseparatorpersian + {0x018643fe, 0x091a}, // cadeva + {0x019e6772, 0x3148}, // cieuckorean + {0x019fa822, 0x05de}, // mem + {0x01a69c0c, 0x221a}, // radicalbigg + {0x01cfa7b3, 0x0a3e}, // aamatragurmukhi + {0x01d7c979, 0x3007}, // ideographiczero + {0x02057d9e, 0x05e8}, // reshhatafsegol + {0x0209914d, 0xf7fe}, // Thornsmall + {0x020d70ad, 0x278b}, // twocircleinversesansserif + {0x0239eab1, 0x3131}, // kiyeokkorean + {0x023b0c79, 0xff87}, // nukatakanahalfwidth + {0x023deac8, 0x3183}, // yesieungpansioskorean + {0x02409db2, 0x1ed1}, // ocircumflexacute + {0x02574652, 0x0e1b}, // poplathai + {0x025b8acc, 0x0a47}, // eematragurmukhi + {0x02610d57, 0x2668}, // hotsprings + {0x0292f83b, 0x0e11}, // thonangmonthothai + {0x0293c9db, 0xff49}, // imonospace + {0x029e63cc, 0x21e7}, // arrowupwhite + {0x02a32a9d, 0x0275}, // obarred + {0x02a97908, 0x09f7}, // fournumeratorbengali + {0x02abe0be, 0x2556}, // SF210000 + {0x02acd87a, 0x2461}, // twocircle + {0x02bb8927, 0x0154}, // Racute + {0x02bd043f, 0x3392}, // mhzsquare + {0x02bdc138, 0x304a}, // ohiragana + {0x02c40de7, 0xffe6}, // wonmonospace + {0x02dab625, 0x310c}, // lbopomofo + {0x02df8edf, 0x30e7}, // yosmallkatakana + {0x02e3dfc8, 0x3062}, // dihiragana + {0x02f13fd7, 0x0029}, // parenrightbig + {0x02f32b9b, 0x002f}, // slashbigg + {0x0306380d, 0xff35}, // Umonospace + {0x03170204, 0x0495}, // ghemiddlehookcyrillic + {0x03182c9f, 0x25b4}, // blackuppointingsmalltriangle + {0x0319d343, 0x329e}, // ideographicprintcircle + {0x031ad266, 0x331e}, // kooposquare + {0x03274b72, 0x0018}, // controlCAN + {0x032ef9aa, 0xf7f6}, // Odieresissmall + {0x0334c4d5, 0x0aa7}, // dhagujarati + {0x03396436, 0x1ed0}, // Ocircumflexacute + {0x033b64c4, 0x047f}, // otcyrillic + {0x033e74dc, 0x1e44}, // Ndotaccent + {0x034ec8b1, 0x30b0}, // gukatakana + {0x037b5e30, 0x00b9}, // onesuperior + {0x03993e60, 0xff57}, // wmonospace + {0x03a136c3, 0x0e0b}, // sosothai + {0x03b0103c, 0x2270}, // notlessnorequal + {0x03c2a8d8, 0x1eb3}, // abrevehookabove + {0x03d234c7, 0xfea7}, // khahinitialarabic + {0x03f4da1a, 0x05b8}, // qamatsnarrowhebrew + {0x040b8001, 0x230a}, // floorleftBig + {0x0410b525, 0x0138}, // kgreenlandic + {0x0433eb22, 0x014e}, // Obreve + {0x043f3fc5, 0x040a}, // afii10059 + {0x044589fe, 0x0646}, // afii57446 + {0x044ba421, 0x0585}, // oharmenian + {0x0454dddc, 0x0432}, // afii10067 + {0x048b164e, 0x01c3}, // clickretroflex + {0x048e8b97, 0x0161}, // scaron + {0x0491732e, 0x3186}, // yeorinhieuhkorean + {0x049c65ac, 0x2121}, // telephone + {0x04a45907, 0x041a}, // afii10028 + {0x04c4d94b, 0x05b5}, // tsere1e + {0x04c8ee7d, 0x042d}, // Ereversedcyrillic + {0x04de1db0, 0x0950}, // omdeva + {0x04f4d676, 0x0027}, // quotesingle + {0x04fb1584, 0xf6c4}, // afii10063 + {0x0500f909, 0x0407}, // Yicyrillic + {0x0503fcb5, 0x00b1}, // plusminus + {0x05116c6a, 0x30fc}, // prolongedkana + {0x05302abd, 0x2025}, // twodotleader + {0x053ece0c, 0x3050}, // guhiragana + {0x05574c05, 0x09a3}, // nnabengali + {0x056bac6c, 0x30a3}, // ismallkatakana + {0x058218bb, 0x0386}, // Alphatonos + {0x058691a9, 0x33d2}, // squarelog + {0x059c61cd, 0x0436}, // zhecyrillic + {0x059eb4a3, 0x2085}, // fiveinferior + {0x05a47299, 0x320d}, // hieuhparenkorean + {0x05a53e96, 0x0282}, // shook + {0x05b0f8c3, 0x02b5}, // rhookturnedsuperior + {0x05c5a128, 0xf76b}, // Ksmall + {0x05cee53c, 0x201d}, // quotedblright + {0x05de47fd, 0x1e7f}, // vdotbelow + {0x05e340f3, 0x1e70}, // Tcircumflexbelow + {0x05e8321d, 0x0325}, // ringbelowcmb + {0x05ec5d36, 0x2471}, // eighteencircle + {0x05f03fff, 0x0ae0}, // rrvocalicgujarati + {0x060beb03, 0x0175}, // wcircumflex + {0x0618af48, 0x005c}, // backslashBig + {0x061ad8fc, 0x24ca}, // Ucircle + {0x061f0bd8, 0x2a00}, // circledotdisplay + {0x062d146d, 0xf88b}, // maieklowrightthai + {0x0642035b, 0x0010}, // controlDLE + {0x0646584a, 0x003d}, // equal + {0x064874b1, 0x05d3}, // afii57667 + {0x066433cf, 0x20a4}, // lira + {0x06823c6b, 0xfb4d}, // kafrafehebrew + {0x06894954, 0xff5e}, // asciitildemonospace + {0x069a405d, 0x00e6}, // ae + {0x06b00ffc, 0x0101}, // amacron + {0x06b72f51, 0x27e8}, // angbracketleftbig + {0x06be8647, 0x0442}, // afii10084 + {0x06e56a17, 0x05dc}, // lamedholamdagesh + {0x06ec3366, 0xfe42}, // cornerbracketrightvertical + {0x0700a693, 0x0475}, // izhitsacyrillic + {0x07019244, 0xfb02}, // fl + {0x07072da3, 0x2299}, // circleot + {0x07099ef9, 0xfeae}, // rehfinalarabic + {0x0710dd39, 0x02de}, // rhotichookmod + {0x074aba74, 0x09af}, // yabengali + {0x07562010, 0x09bc}, // nuktabengali + {0x075a830a, 0x21e6}, // arrowleftwhite + {0x076312db, 0x2497}, // sixteenperiod + {0x0767cf10, 0x1ea8}, // Acircumflexhookabove + {0x076c3b34, 0x1ec3}, // ecircumflexhookabove + {0x076dbf41, 0x05b7}, // patah11 + {0x07726745, 0x0e25}, // lolingthai + {0x078184fa, 0x00f7}, // divide + {0x0790751c, 0x2466}, // sevencircle + {0x0793d50d, 0x30bb}, // sekatakana + {0x07a1ce35, 0x0906}, // aadeva + {0x07ab20a8, 0x0ab3}, // llagujarati + {0x07b2b22c, 0x02c6}, // hatwidest + {0x07e20c30, 0x017b}, // Zdot + {0x07e38c67, 0x33bb}, // nwsquare + {0x081dd122, 0x0a38}, // sagurmukhi + {0x082543e5, 0x33a0}, // cmsquaredsquare + {0x083d0b54, 0x3227}, // eightideographicparen + {0x08429fa7, 0x2591}, // ltshade + {0x084b888b, 0x311a}, // abopomofo + {0x085499c4, 0x0925}, // thadeva + {0x086a99d9, 0x01af}, // Uhorn + {0x087038eb, 0xfb20}, // ayinaltonehebrew + {0x08729ac0, 0xed18}, // bracehtipdownright + {0x08905fd6, 0x230b}, // floorrightbigg + {0x089d739a, 0x005a}, // Z + {0x08a131c8, 0x096d}, // sevendeva + {0x08a6b099, 0x02a6}, // ts + {0x08b5de5a, 0x038a}, // Iotatonos + {0x08b78f6b, 0xff86}, // nikatakanahalfwidth + {0x08d57b6a, 0x0019}, // controlEM + {0x08ddb521, 0x3226}, // sevenideographicparen + {0x092aa224, 0x0a90}, // aigujarati + {0x092cd86d, 0x03d6}, // omega1 + {0x09310ab8, 0x027f}, // rfishhookreversed + {0x094ceadc, 0x0047}, // G + {0x09751504, 0x038c}, // Omicrontonos + {0x09790f28, 0x33be}, // kwsquare + {0x09853aa3, 0x01c1}, // clicklateral + {0x099430b2, 0xf7f5}, // Otildesmall + {0x09a03740, 0xfe5b}, // braceleftsmall + {0x09a4b050, 0x0ae8}, // twogujarati + {0x09adf253, 0xf721}, // exclamsmall + {0x09d4b5eb, 0x3388}, // calsquare + {0x09f2217d, 0x00a9}, // copyright + {0x09f9df24, 0x1e0c}, // Ddotbelow + {0x0a040d76, 0x098a}, // uubengali + {0x0a1d800c, 0x0291}, // zcurl + {0x0a3a2809, 0xf767}, // Gsmall + {0x0a3b8eb5, 0x044b}, // yericyrillic + {0x0a46f2f1, 0x0284}, // dotlessjstrokehook + {0x0a5cb3b1, 0x30d6}, // bukatakana + {0x0a5ff1a8, 0xff6b}, // osmallkatakanahalfwidth + {0x0a67f8fb, 0x24b2}, // wparen + {0x0a704676, 0xfccc}, // lammeeminitialarabic + {0x0a8ba8e8, 0x0112}, // Emacron + {0x0a9b47dd, 0x306f}, // hahiragana + {0x0aa2156d, 0xfc0c}, // tehhahisolatedarabic + {0x0abb4ec1, 0x0441}, // afii10083 + {0x0ac66fc0, 0x005b}, // bracketleftBigg + {0x0adbba15, 0x21c0}, // harpoonrightbarbup + {0x0ae79191, 0x01e1}, // adotmacron + {0x0aecd30e, 0x05e8}, // reshpatahhebrew + {0x0af77d49, 0x09ea}, // fourbengali + {0x0b1d2d0d, 0xf6f3}, // tsuperior + {0x0b367d7a, 0x0421}, // Escyrillic + {0x0b4b7082, 0xff62}, // cornerbracketlefthalfwidth + {0x0b6abf22, 0x20aa}, // sheqel + {0x0b7f2b2d, 0x0a5a}, // ghhagurmukhi + {0x0b92d660, 0x32a6}, // ideographiclowcircle + {0x0b9e2621, 0x2665}, // heartsuitblack + {0x0ba5f00c, 0x03cc}, // omicrontonos + {0x0bae12ff, 0xff2a}, // Jmonospace + {0x0bd4abb3, 0x0254}, // oopen + {0x0bd8d304, 0x3215}, // ieungaparenkorean + {0x0bdad647, 0x0970}, // abbreviationsigndeva + {0x0bdb550e, 0x0669}, // ninehackarabic + {0x0be3cda3, 0x1e0b}, // ddotaccent + {0x0bf8ed4a, 0x09f2}, // rupeemarkbengali + {0x0bfa9d4e, 0x05b6}, // afii57795 + {0x0c138c8e, 0x308f}, // wahiragana + {0x0c17017e, 0x02a5}, // dzcurl + {0x0c19fd92, 0x037a}, // ypogegrammeni + {0x0c255ae5, 0x0553}, // Piwrarmenian + {0x0c356707, 0x0625}, // afii57413 + {0x0c678de3, 0x032a}, // bridgebelowcmb + {0x0c810887, 0x0a88}, // iigujarati + {0x0c83c594, 0x1e63}, // sdotbelow + {0x0c8f5261, 0x0164}, // Tcaron + {0x0cacee48, 0xfba8}, // hehinitialaltonearabic + {0x0cbb507c, 0x3036}, // circlepostalmark + {0x0cd99820, 0x05c0}, // paseqhebrew + {0x0cdb81c4, 0x24a2}, // gparen + {0x0ce8bb7e, 0x30d5}, // hukatakana + {0x0cf04968, 0x02be}, // ringhalfright + {0x0d0eb2f0, 0x315d}, // weokorean + {0x0d21bb72, 0x2550}, // SF430000 + {0x0d3a66b8, 0x2309}, // ceilingrightbigg + {0x0d47308f, 0x05d4}, // he + {0x0d747cfe, 0x04c3}, // Kahookcyrillic + {0x0d932b5b, 0x30d2}, // hikatakana + {0x0da4d862, 0x05b6}, // segol13 + {0x0db7d6e4, 0x05d4}, // hehebrew + {0x0dc03ecb, 0x0a9c}, // jagujarati + {0x0dd6f75d, 0x09f6}, // threenumeratorbengali + {0x0de664af, 0x01fa}, // Aringacute + {0x0deddd7b, 0x017a}, // zacute + {0x0df6966e, 0x1e4f}, // otildedieresis + {0x0e0870a7, 0x2713}, // checkmark + {0x0e0aefc5, 0x05af}, // masoracirclehebrew + {0x0e15512a, 0xff43}, // cmonospace + {0x0e157c7d, 0x0166}, // Tbar + {0x0e34eac4, 0x06ba}, // afii57514 + {0x0e359de3, 0x332b}, // paasentosquare + {0x0e35e57d, 0x01f4}, // Gacute + {0x0e6ec8aa, 0x0a40}, // iimatragurmukhi + {0x0e8140cb, 0x2318}, // propellor + {0x0e8e8ac7, 0x25aa}, // blacksmallsquare + {0x0e8ed92c, 0x05b3}, // hatafqamatsquarterhebrew + {0x0e9c1a93, 0x0149}, // quoterightn + {0x0eb0ce00, 0xff30}, // Pmonospace + {0x0ec7e019, 0xfc4b}, // noonjeemisolatedarabic + {0x0ed8b040, 0x33b5}, // nvsquare + {0x0edd0c59, 0x0e35}, // saraiithai + {0x0ee06289, 0x05b0}, // shevaquarterhebrew + {0x0efc1459, 0x09b6}, // shabengali + {0x0f02712c, 0x00ea}, // ecircumflex + {0x0f066e82, 0x33b3}, // mssquare + {0x0f13ed93, 0xf7f8}, // Oslashsmall + {0x0f1a6991, 0x24c4}, // Ocircle + {0x0f2768b1, 0x05b1}, // hatafsegolwidehebrew + {0x0f332d5e, 0x002e}, // period + {0x0f35dd15, 0x04b0}, // Ustraightstrokecyrillic + {0x0f432338, 0x0020}, // space + {0x0f433f21, 0xff7d}, // sukatakanahalfwidth + {0x0f610d68, 0x1e53}, // omacronacute + {0x0f61debf, 0x33b9}, // mvmegasquare + {0x0f8de5e5, 0xff4b}, // kmonospace + {0x0f984d6e, 0xfec0}, // dadmedialarabic + {0x0fcfb12d, 0x016c}, // Ubreve + {0x0fdfc487, 0x02a8}, // tccurl + {0x0ff64b0b, 0x0665}, // fivehackarabic + {0x1001b5d7, 0xfc48}, // meemmeemisolatedarabic + {0x100f790a, 0x20ac}, // Euro + {0x101477b7, 0x216a}, // Elevenroman + {0x1030f103, 0x0918}, // ghadeva + {0x103612b8, 0x2287}, // supersetorequal + {0x10459048, 0x2217}, // asteriskmath + {0x10529f46, 0x0e59}, // ninethai + {0x10656b29, 0x042a}, // afii10044 + {0x10659a4d, 0x0041}, // A + {0x106ab99c, 0x0943}, // rvocalicvowelsigndeva + {0x10827219, 0x01e4}, // Gstroke + {0x1087cbb6, 0x318d}, // araeakorean + {0x10c49213, 0x094d}, // viramadeva + {0x10c6b04c, 0xfee8}, // noonmedialarabic + {0x10e1204e, 0x224c}, // allequal + {0x1112335e, 0x0e24}, // ruthai + {0x1113e9a7, 0x0a87}, // igujarati + {0x11140e23, 0xff50}, // pmonospace + {0x112533be, 0x0446}, // tsecyrillic + {0x1128968b, 0x03dc}, // Digammagreek + {0x113f9725, 0x1ea1}, // adotbelow + {0x11572f90, 0x3240}, // ideographicfestivalparen + {0x1159e298, 0x2484}, // seventeenparen + {0x115b5935, 0xff78}, // kukatakanahalfwidth + {0x115c3cb2, 0x3179}, // kapyeounssangpieupkorean + {0x11672a1e, 0x3051}, // kehiragana + {0x1179ac42, 0x00a0}, // nbspace + {0x1198b8ba, 0x05f1}, // vavyodhebrew + {0x11adf5a7, 0x24a9}, // nparen + {0x11aeb63a, 0x2272}, // lessorequivalent + {0x11ba40f5, 0x05ea}, // tavhebrew + {0x11c11092, 0x1e2c}, // Itildebelow + {0x11c8e4b3, 0x2660}, // spadesuitblack + {0x11d3eac3, 0x3060}, // dahiragana + {0x11d67798, 0xfb33}, // daletdagesh + {0x11e401c1, 0x05d6}, // zayin + {0x1216fef8, 0x328e}, // ideographmetalcircle + {0x1219f723, 0xff6e}, // yosmallkatakanahalfwidth + {0x1224d569, 0xfee4}, // meemmedialarabic + {0x1228548c, 0x05d0}, // alefhebrew + {0x1233afe9, 0x30df}, // mikatakana + {0x123a07fe, 0x05e6}, // tsadihebrew + {0x1242de49, 0x042b}, // Yericyrillic + {0x1246d709, 0x315f}, // wikorean + {0x126c42a3, 0x21d0}, // arrowleftdbl + {0x1278a8d5, 0x3087}, // yosmallhiragana + {0x129b0140, 0x0445}, // afii10087 + {0x12a29be8, 0x03c5}, // upsilon + {0x12bdd9c7, 0x21a6}, // mapsto + {0x12d3e8f7, 0x30c0}, // dakatakana + {0x12def4bb, 0xfeba}, // sadfinalarabic + {0x12e14144, 0xf726}, // ampersandsmall + {0x12e22bb8, 0x33c2}, // amsquare + {0x1329e467, 0x0311}, // breveinvertedcmb + {0x132b7bd0, 0x2a04}, // unionmultitext + {0x132e0697, 0x01b3}, // Yhook + {0x13402162, 0xf6be}, // dotlessj + {0x134d9c31, 0x304c}, // gahiragana + {0x13597fb3, 0x04d9}, // afii10846 + {0x135d6341, 0x33c8}, // dbsquare + {0x13635045, 0x0300}, // gravecmb + {0x1367bcdf, 0xf88a}, // maiekupperleftthai + {0x1369554a, 0x207f}, // nsuperior + {0x136e8d95, 0xf885}, // saraileftthai + {0x1376f153, 0x0403}, // afii10052 + {0x1384d3da, 0x05b4}, // hiriqnarrowhebrew + {0x13868087, 0x0636}, // afii57430 + {0x138b1601, 0x0621}, // hamzafathatanarabic + {0x138fca68, 0x0a30}, // ragurmukhi + {0x13a69297, 0x0917}, // gadeva + {0x13bc5cc6, 0xf88d}, // maithoupperleftthai + {0x13bcc567, 0x25d1}, // circlewithrighthalfblack + {0x13ccaf5f, 0x3061}, // tihiragana + {0x13dc1f9e, 0x05b1}, // hatafsegol + {0x13e2dbb5, 0x1e3a}, // Llinebelow + {0x140e7a7e, 0x0551}, // Coarmenian + {0x14117f5a, 0x1e77}, // ucircumflexbelow + {0x141d63ad, 0x1eda}, // Ohornacute + {0x142c024d, 0x013a}, // lacute + {0x142c46b3, 0x2a06}, // unionsqdisplay + {0x143d707c, 0x05a6}, // merkhakefulalefthebrew + {0x146c75cf, 0x3275}, // ieungacirclekorean + {0x146f18bb, 0xfb36}, // zayindagesh + {0x147a2240, 0x1e81}, // wgrave + {0x1486cc9b, 0x054b}, // Jheharmenian + {0x14ac715c, 0x2473}, // twentycircle + {0x14b421a5, 0x0638}, // zaharabic + {0x14c795cf, 0x0051}, // Q + {0x14d1cd4b, 0x2284}, // notsubset + {0x14d2cd8a, 0x012f}, // iogonek + {0x14eb6d31, 0x02dc}, // tildewider + {0x14f2bc91, 0x1eab}, // acircumflextilde + {0x15045632, 0x05d1}, // bet + {0x1505dc02, 0x3083}, // yasmallhiragana + {0x152785c0, 0x30a1}, // asmallkatakana + {0x1532a7b6, 0x05e7}, // qofsegolhebrew + {0x15642935, 0x23a9}, // braceleftbt + {0x1564e3f1, 0x05b9}, // holam26 + {0x15771621, 0x042c}, // Softsigncyrillic + {0x159ac6ab, 0x0591}, // etnahtafoukhlefthebrew + {0x159b9dc9, 0x24c6}, // Qcircle + {0x15d1c25e, 0x04bf}, // chedescenderabkhasiancyrillic + {0x15dd6b0c, 0x25d9}, // whitecircleinverse + {0x15f64606, 0x33c5}, // cdsquare + {0x15f8ec13, 0x037e}, // questiongreek + {0x1602acd3, 0xff38}, // Xmonospace + {0x1610c2ad, 0x3181}, // yesieungkorean + {0x161db4d0, 0xf76c}, // Lsmall + {0x16393f6d, 0xfef6}, // lamalefmaddaabovefinalarabic + {0x164a5cd1, 0x0058}, // X + {0x164b6531, 0xf7eb}, // Edieresissmall + {0x165341dd, 0x02e0}, // gammasuperior + {0x167b1fac, 0xfebc}, // sadmedialarabic + {0x168b9d05, 0x04d5}, // aiecyrillic + {0x169cceb3, 0x005b}, // bracketleft + {0x16ad260d, 0x0253}, // bhook + {0x16b23c67, 0x3135}, // nieuncieuckorean + {0x16ba0a7a, 0x30a9}, // osmallkatakana + {0x16d5ac91, 0x3018}, // whitetortoiseshellbracketleft + {0x16f9045d, 0x0a16}, // khagurmukhi + {0x17093caa, 0x01e3}, // aemacron + {0x170fc75c, 0x306c}, // nuhiragana + {0x171b516a, 0x0a39}, // hagurmukhi + {0x17301afd, 0x3023}, // threehangzhou + {0x17314b3c, 0xf7a8}, // Dieresissmall + {0x173c8456, 0x338b}, // nfsquare + {0x178d45ae, 0x337e}, // meizierasquare + {0x17a9e49b, 0x322a}, // ideographicmoonparen + {0x17ad5313, 0x09ab}, // phabengali + {0x17da2afa, 0x0335}, // strokeshortoverlaycmb + {0x17deda0e, 0x00ed}, // iacute + {0x17e36acb, 0x05b8}, // qamats + {0x17ef9c62, 0x0a05}, // agurmukhi + {0x180419cd, 0xfc62}, // shaddakasraarabic + {0x18120be8, 0x200b}, // zerowidthspace + {0x18175789, 0x05b3}, // hatafqamatswidehebrew + {0x181f5c91, 0x091f}, // ttadeva + {0x182bd096, 0x0148}, // ncaron + {0x183028bb, 0x04da}, // Schwadieresiscyrillic + {0x1840ed9a, 0xfea0}, // jeemmedialarabic + {0x18492236, 0x0e5a}, // angkhankhuthai + {0x1855a5e3, 0xfe5f}, // numbersignsmall + {0x185b816d, 0x0146}, // ncommaaccent + {0x187ab455, 0x0e42}, // saraothai + {0x1885706c, 0x3157}, // okorean + {0x18905b85, 0x05e8}, // reshsegol + {0x18923bff, 0x2135}, // aleph + {0x1892a13e, 0x005d}, // bracketrightbigg + {0x18a1a8e1, 0x02c2}, // a40 + {0x18a5c10a, 0x2584}, // dnblock + {0x18a72a69, 0xfb3a}, // finalkafdageshhebrew + {0x18b82c53, 0x045c}, // afii10109 + {0x18c46fec, 0x033c}, // seagullbelowcmb + {0x18d47bfd, 0x3298}, // ideographiclaborcircle + {0x18dbddd2, 0x0993}, // obengali + {0x18df8652, 0x2286}, // subsetorequal + {0x18ea53c7, 0x0663}, // afii57395 + {0x18ec3f78, 0x05e8}, // afii57688 + {0x18f0d507, 0xfe9f}, // jeeminitialarabic + {0x18fb8128, 0x25c1}, // a1 + {0x190a56aa, 0xfe5a}, // parenrightsmall + {0x1920c2c2, 0xff65}, // middledotkatakanahalfwidth + {0x1925bd4b, 0xf6f9}, // Lslashsmall + {0x192c8826, 0x2283}, // superset + {0x1940b4fd, 0x2251}, // geometricallyequal + {0x19427103, 0x2a01}, // circleplustext + {0x1946a31f, 0x05ae}, // zinorhebrew + {0x194ec3dd, 0xfb38}, // tetdageshhebrew + {0x195fdeed, 0x3013}, // getamark + {0x197f461f, 0x1e03}, // bdotaccent + {0x1991ce27, 0x007b}, // braceleftBigg + {0x1994a487, 0x0481}, // koppacyrillic + {0x19985117, 0x339a}, // nmsquare + {0x19a1a98b, 0x00ad}, // sfthyphen + {0x19ad4aac, 0xfef2}, // yehfinalarabic + {0x19b22272, 0x3269}, // chieuchcirclekorean + {0x19b344e4, 0x0123}, // gcedilla + {0x19b3f208, 0x05b8}, // qamats27 + {0x19d833fe, 0x02ba}, // dblprimemod + {0x19dea593, 0x0428}, // afii10042 + {0x19f7c320, 0x04d1}, // abrevecyrillic + {0x19fa29b1, 0x327f}, // koreanstandardsymbol + {0x1a00d3da, 0x032b}, // dblarchinvertedbelowcmb + {0x1a260946, 0x0447}, // checyrillic + {0x1a287ed9, 0x0922}, // ddhadeva + {0x1a28dcc1, 0x005b}, // bracketleftBig + {0x1a3b33cb, 0xfed7}, // qafinitialarabic + {0x1a3bf649, 0x05b2}, // hatafpatahhebrew + {0x1a4f3484, 0x0913}, // odeva + {0x1a533d39, 0x0306}, // brevecmb + {0x1ac76244, 0x0425}, // Khacyrillic + {0x1ac90440, 0x010f}, // dcaron + {0x1b240a74, 0x00d8}, // Oslash + {0x1b2b4015, 0xfe65}, // greatersmall + {0x1b33167a, 0xfe3e}, // dblanglebracketrightvertical + {0x1b342691, 0x017c}, // zdot + {0x1b39339b, 0x253c}, // SF050000 + {0x1b3f9c21, 0x1e72}, // Udieresisbelow + {0x1b4399b2, 0x04c7}, // Enhookcyrillic + {0x1b5874ea, 0x091b}, // chadeva + {0x1b8c8992, 0x2122}, // trademark + {0x1ba72293, 0xff03}, // numbersignmonospace + {0x1bbb8fb3, 0x0477}, // izhitsadblgravecyrillic + {0x1bcb2bfd, 0x337d}, // taisyouerasquare + {0x1be98812, 0x24d4}, // ecircle + {0x1c079308, 0x09cc}, // auvowelsignbengali + {0x1c16ebae, 0x0126}, // Hbar + {0x1c2631dd, 0x3385}, // KBsquare + {0x1c56e166, 0xfd3f}, // parenrightaltonearabic + {0x1c70f0f3, 0xf7e7}, // Ccedillasmall + {0x1c94529b, 0x21b5}, // carriagereturn + {0x1cb10674, 0x0a27}, // dhagurmukhi + {0x1cb5367a, 0x0532}, // Benarmenian + {0x1cdb3e05, 0x2514}, // SF020000 + {0x1ce17c08, 0xfea6}, // khahfinalarabic + {0x1ce29209, 0x02cc}, // verticallinelowmod + {0x1ce40996, 0xff3b}, // bracketleftmonospace + {0x1cf31612, 0x0598}, // zarqahebrew + {0x1d2559c8, 0x03b9}, // iota + {0x1d25e3ef, 0x043c}, // emcyrillic + {0x1d420ccb, 0x0430}, // afii10065 + {0x1d91efe5, 0xf6d8}, // dieresisgrave + {0x1d954d85, 0x09a4}, // tabengali + {0x1da7ae8c, 0x00d7}, // multiply + {0x1db92094, 0x053d}, // Xeharmenian + {0x1dbbea92, 0x02e6}, // tonebarhighmod + {0x1dbc2a14, 0x2245}, // congruent + {0x1dbe86c5, 0x246d}, // fourteencircle + {0x1dc0644e, 0x2012}, // figuredash + {0x1ded853e, 0x01cc}, // nj + {0x1df7638a, 0x00e4}, // adieresis + {0x1dfc2837, 0x217a}, // elevenroman + {0x1e0312fa, 0x0290}, // zretroflexhook + {0x1e065c3a, 0xf7f1}, // Ntildesmall + {0x1e1332fd, 0x0287}, // tturned + {0x1e25355a, 0x0461}, // omegacyrillic + {0x1e38c8d8, 0x012a}, // Imacron + {0x1e56afb4, 0xfc61}, // shaddadammaarabic + {0x1e645fd0, 0x00b2}, // twosuperior + {0x1e6cddcb, 0x0563}, // gimarmenian + {0x1e7c9862, 0x338f}, // squarekg + {0x1e82a7c3, 0x2302}, // house + {0x1e860782, 0x0983}, // visargabengali + {0x1e917582, 0x09a2}, // ddhabengali + {0x1ea7d113, 0x031c}, // ringhalfleftbelowcmb + {0x1eae034a, 0x3122}, // anbopomofo + {0x1eae1716, 0x0434}, // afii10069 + {0x1edf9913, 0x1e16}, // Emacronacute + {0x1ef123d5, 0x0413}, // Gecyrillic + {0x1f06ae25, 0xfb31}, // betdageshhebrew + {0x1f0c6a2a, 0x0651}, // shaddafathatanarabic + {0x1f1df6d1, 0x3381}, // nasquare + {0x1f2383d4, 0x0004}, // controlEOT + {0x1f2a4214, 0xfdfa}, // sallallahoualayhewasallamarabic + {0x1f5314ee, 0xf6fc}, // Ringsmall + {0x1f5dc79d, 0xf7b4}, // Acutesmall + {0x1f60dad4, 0x05e8}, // reshhebrew + {0x1f686fbe, 0xff2c}, // Lmonospace + {0x1f90aeb4, 0xff7b}, // sakatakanahalfwidth + {0x1f93ce2b, 0xff33}, // Smonospace + {0x1f9b52d4, 0x0323}, // dotbelowcmb + {0x1faa2fdf, 0x203e}, // overline + {0x1faf20cc, 0x02b9}, // primemod + {0x1fba9d24, 0x1e4a}, // Ncircumflexbelow + {0x1fc00e7e, 0x0050}, // P + {0x1fc99492, 0x3126}, // erbopomofo + {0x1feea4ab, 0x0623}, // afii57411 + {0x20061138, 0x1e02}, // Bdotaccent + {0x200e9513, 0x030f}, // dblgravecmb + {0x2012c16a, 0xf6d4}, // cyrbreve + {0x201a6676, 0x2310}, // logicalnotreversed + {0x201e3ee9, 0x0310}, // candrabinducmb + {0x2024cfd1, 0x0475}, // afii10196 + {0x2038e6d5, 0x307a}, // pehiragana + {0x205d0ec7, 0x03a0}, // Pi + {0x206a255a, 0xf775}, // Usmall + {0x207bf81e, 0xff84}, // tokatakanahalfwidth + {0x2086c569, 0x00d2}, // Ograve + {0x2086fb87, 0xf772}, // Rsmall + {0x208b3b40, 0xfed0}, // ghainmedialarabic + {0x209bfca6, 0x24d5}, // fcircle + {0x20a31ebd, 0x2489}, // twoperiod + {0x20abefc1, 0x0385}, // dialytikatonos + {0x20b8cfa5, 0x0443}, // afii10085 + {0x20bc528f, 0x2042}, // asterism + {0x20ca67b9, 0x09a1}, // ddabengali + {0x20ce09b9, 0xfb7b}, // tchehfinalarabic + {0x20dd36ea, 0x207e}, // parenrightsuperior + {0x20e840a0, 0x30d4}, // pikatakana + {0x2111e869, 0x092a}, // padeva + {0x21185c0e, 0x028e}, // yturned + {0x2130f98f, 0x0aa0}, // tthagujarati + {0x215fc096, 0x000d}, // controlCR + {0x21622652, 0x249e}, // cparen + {0x21669982, 0x0181}, // Bhook + {0x217143de, 0x05b3}, // hatafqamats34 + {0x2173a28b, 0x0295}, // glottalstopreversed + {0x218d5b62, 0x3232}, // ideographichaveparen + {0x21b37808, 0x2477}, // fourparen + {0x21bef9d7, 0x0e06}, // khorakhangthai + {0x21c0f31f, 0x013b}, // Lcommaaccent + {0x21ce0071, 0x2179}, // tenroman + {0x21d28f9e, 0x05e9}, // shin + {0x21f74f30, 0x043e}, // afii10080 + {0x2203033d, 0x019d}, // Nhookleft + {0x22037801, 0x044b}, // afii10093 + {0x220f1331, 0x05db}, // kafhebrew + {0x2221c36b, 0x06f6}, // sixpersian + {0x22351581, 0x059f}, // qarneyparahebrew + {0x223cb30f, 0xfc9f}, // behmeeminitialarabic + {0x225099c3, 0x3149}, // ssangcieuckorean + {0x22542ce4, 0x2207}, // nabla + {0x22702420, 0x3153}, // eokorean + {0x2274db8f, 0xff08}, // parenleftmonospace + {0x2282e86d, 0x00fa}, // uacute + {0x22a883d2, 0x25c7}, // whitediamond + {0x22b082b8, 0x005c}, // backslashBigg + {0x22c93a2b, 0x338d}, // mugsquare + {0x22e3ac9e, 0xff4c}, // lmonospace + {0x2320c842, 0x0277}, // omegalatinclosed + {0x2324e69c, 0x2665}, // heart + {0x2351e945, 0x0a8a}, // uugujarati + {0x2352b38c, 0xf6d7}, // dieresisacute + {0x2356706f, 0x0541}, // Jaarmenian + {0x23679572, 0x1ef1}, // uhorndotbelow + {0x236d79e4, 0x301e}, // quotedblprime + {0x237979f3, 0xff73}, // ukatakanahalfwidth + {0x23947e9f, 0x0266}, // hhook + {0x23b6327c, 0x304f}, // kuhiragana + {0x23b9408d, 0x2208}, // element + {0x23d291f5, 0x0639}, // ainarabic + {0x23d42e51, 0xff0b}, // plusmonospace + {0x23e15f1c, 0xff90}, // mikatakanahalfwidth + {0x23e70b3f, 0x0664}, // afii57396 + {0x23e9f46b, 0xff80}, // takatakanahalfwidth + {0x23ea33c4, 0x30f1}, // wekatakana + {0x23f0f542, 0xff2f}, // Omonospace + {0x2415f58f, 0x3069}, // dohiragana + {0x2419b09a, 0x038f}, // Omegatonos + {0x241b0583, 0x0a9e}, // nyagujarati + {0x241cc39b, 0x007b}, // braceleftbigg + {0x241f6494, 0x3105}, // bbopomofo + {0x2459d6f7, 0x0aea}, // fourgujarati + {0x24688db0, 0x02c1}, // glottalstopreversedmod + {0x24776c38, 0x0343}, // koroniscmb + {0x2479e0d2, 0x3021}, // onehangzhou + {0x249dd6ee, 0x0665}, // afii57397 + {0x24c0efcc, 0x316d}, // rieulyeorinhieuhkorean + {0x24ccbd1b, 0x09e6}, // zerobengali + {0x24d11d48, 0x02c2}, // arrowheadleftmod + {0x24d6b19b, 0xfee7}, // nooninitialarabic + {0x24deab24, 0x25a4}, // squarehorizontalfill + {0x24e9b4e5, 0x21e4}, // arrowtableft + {0x24f5be18, 0x0308}, // dieresiscmb + {0x2527d2da, 0x300c}, // cornerbracketleft + {0x252ef6ac, 0x01de}, // Adieresismacron + {0x2533ec5c, 0x05e8}, // reshtsere + {0x253f33be, 0x006e}, // n + {0x2543ce81, 0x05c1}, // shindothebrew + {0x254b8857, 0x0929}, // nnnadeva + {0x2556a01a, 0x005c}, // backslashbigg + {0x25725d01, 0x0496}, // Zhedescendercyrillic + {0x2592eb8c, 0x1e39}, // ldotbelowmacron + {0x25a29a9e, 0x000a}, // controlLF + {0x25bfabf1, 0x056c}, // liwnarmenian + {0x25c22a8d, 0x0927}, // dhadeva + {0x25c3f8ae, 0xff3e}, // asciicircummonospace + {0x25ca4638, 0x0576}, // nowarmenian + {0x25d83051, 0x0e19}, // nonuthai + {0x25e64388, 0x1ee5}, // udotbelow + {0x25eb8755, 0xff34}, // Tmonospace + {0x25ef68be, 0x0103}, // abreve + {0x25f0117e, 0x095f}, // yyadeva + {0x2614c40e, 0x0aaf}, // yagujarati + {0x262be20f, 0x0471}, // psicyrillic + {0x2637caf5, 0x0932}, // ladeva + {0x263e0b92, 0x09ac}, // babengali + {0x2652690c, 0x3137}, // tikeutkorean + {0x265be8ad, 0x01cf}, // Icaron + {0x265fdad4, 0x05b8}, // qamatshebrew + {0x26621b4d, 0x0072}, // r + {0x2669a6cb, 0x211c}, // Rfraktur + {0x26837556, 0x0048}, // H + {0x26a72a71, 0x3188}, // yoyaekorean + {0x26ab6d3a, 0x1ed9}, // ocircumflexdotbelow + {0x26af8089, 0x304e}, // gihiragana + {0x26b9c1d9, 0x0e30}, // saraathai + {0x26c43ea8, 0x0911}, // ocandradeva + {0x26caa803, 0x21d4}, // arrowdblboth + {0x26cb382e, 0xf8fc}, // bracerighttp + {0x26f6f992, 0x04e4}, // Idieresiscyrillic + {0x26fb496b, 0x3351}, // rittorusquare + {0x27075678, 0x012e}, // Iogonek + {0x271cd3fa, 0x27e8}, // angbracketleftBig + {0x2731451f, 0x0408}, // afii10057 + {0x273977ae, 0x0435}, // afii10070 + {0x27487450, 0x007e}, // asciitilde + {0x275654ea, 0x099b}, // chabengali + {0x275a3e46, 0x09a0}, // tthabengali + {0x275a5b3b, 0x1ee1}, // ohorntilde + {0x27607db6, 0x05b4}, // hiriq2d + {0x27a2d18f, 0x05b9}, // holam32 + {0x27b7bf17, 0x031f}, // plusbelowcmb + {0x27b7cc70, 0xfb2d}, // shindageshsindothebrew + {0x27d62d65, 0x200d}, // afii301 + {0x27d8dd28, 0x00e8}, // egrave + {0x27e6d9df, 0x0271}, // mhook + {0x27f31ec3, 0x3271}, // rieulacirclekorean + {0x283f3216, 0x2075}, // fivesuperior + {0x28898020, 0x0281}, // Rsmallinverted + {0x288edd59, 0x24cc}, // Wcircle + {0x2892f3ea, 0x2a02}, // circlemultiplydisplay + {0x28d9fe2f, 0x0e41}, // saraaethai + {0x28dd4931, 0x3234}, // ideographicnameparen + {0x28e31924, 0x0a6c}, // sixgurmukhi + {0x28e4057d, 0xfc58}, // yehmeemisolatedarabic + {0x28f71acd, 0x0633}, // afii57427 + {0x290ed42e, 0x1e18}, // Ecircumflexbelow + {0x2916bf1f, 0xf7ef}, // Idieresissmall + {0x29287ce1, 0x03d2}, // Upsilon1 + {0x29346ac3, 0x2021}, // daggerdbl + {0x29371ded, 0x1e8f}, // ydotaccent + {0x2951ba53, 0xf6e2}, // commasuperior + {0x29734fd7, 0x092d}, // bhadeva + {0x298e1b46, 0x01ea}, // Oogonek + {0x29958ce9, 0x0005}, // controlENQ + {0x29a8f130, 0x04d4}, // Aiecyrillic + {0x29ab0eda, 0x0146}, // ncedilla + {0x29b0158e, 0x05e7}, // qofshevahebrew + {0x29be1625, 0x0028}, // parenleftbig + {0x29c07bd0, 0x305e}, // zohiragana + {0x29d0597d, 0x262f}, // yinyang + {0x29d51dd2, 0x06d1}, // yehthreedotsbelowarabic + {0x29d5f944, 0x03e4}, // Feicoptic + {0x29e31b8f, 0x05b1}, // hatafsegolhebrew + {0x29e6e487, 0x30cc}, // nukatakana + {0x29e7f6bb, 0x0035}, // five + {0x2a0fca4c, 0x3085}, // yusmallhiragana + {0x2a239937, 0x0375}, // numeralsignlowergreek + {0x2a28d54e, 0x30aa}, // okatakana + {0x2a619f09, 0x2660}, // spade + {0x2a645de3, 0x3091}, // wehiragana + {0x2a64e363, 0x226e}, // notless + {0x2a6a5dc5, 0x3088}, // yohiragana + {0x2a72414c, 0x0e44}, // saraaimaimalaithai + {0x2a8e7779, 0x0ad0}, // omgujarati + {0x2ac0e180, 0x33a6}, // kmcubedsquare + {0x2ac17d0f, 0x00f3}, // oacute + {0x2acd450a, 0x002f}, // slashbig + {0x2ad04347, 0xed12}, // arrowvertexdbl + {0x2ae749c7, 0x00e1}, // aacute + {0x2ae8215f, 0x001d}, // controlGS + {0x2ae8c5a6, 0x21c4}, // arrowrightoverleft + {0x2aedcd2c, 0x09fa}, // issharbengali + {0x2afb134c, 0xfb03}, // ffi + {0x2b2385f1, 0xf760}, // Gravesmall + {0x2b27655e, 0x261c}, // pointingindexleftwhite + {0x2b3ff353, 0x2557}, // SF250000 + {0x2b42ad49, 0xfe55}, // colonsmall + {0x2b5ac1a6, 0x0045}, // E + {0x2b84f841, 0x30a6}, // ukatakana + {0x2b91651d, 0x0319}, // righttackbelowcmb + {0x2b93dd53, 0x0661}, // afii57393 + {0x2b9750e3, 0x2200}, // universal + {0x2b9c968a, 0x0315}, // commaaboverightcmb + {0x2bb5189c, 0x25e3}, // blacklowerlefttriangle + {0x2bb9b9bf, 0x0621}, // hamzafathaarabic + {0x2bd253b1, 0x09bf}, // ivowelsignbengali + {0x2be6415c, 0x05b3}, // hatafqamatshebrew + {0x2beb7c62, 0x013c}, // lcommaaccent + {0x2c0f9c0b, 0x0912}, // oshortdeva + {0x2c15e9f4, 0x091c}, // jadeva + {0x2c1b74f9, 0x2262}, // notidentical + {0x2c4944e4, 0x0393}, // Gamma + {0x2c91b61a, 0x0640}, // kashidaautonosidebearingarabic + {0x2c964b66, 0x334a}, // miribaarusquare + {0x2cb17e35, 0xfec6}, // zahfinalarabic + {0x2cd9d9ec, 0xfc6d}, // behnoonfinalarabic + {0x2cdfcd2a, 0x30cb}, // nikatakana + {0x2cf9daf5, 0x3228}, // nineideographicparen + {0x2d2e3883, 0x2190}, // arrowleft + {0x2d317780, 0xf778}, // Xsmall + {0x2d329c65, 0xfb3c}, // lameddageshhebrew + {0x2d39ea69, 0x019e}, // nlegrightlong + {0x2d3b565d, 0x05ea}, // afii57690 + {0x2d456f79, 0x25e2}, // blacklowerrighttriangle + {0x2d52bd2b, 0x3326}, // dorusquare + {0x2d84140a, 0x0293}, // ezhcurl + {0x2d8d5b1d, 0x33d0}, // lmsquare + {0x2d95d169, 0x3155}, // yeokorean + {0x2d975eca, 0xfb04}, // ffl + {0x2d9ae85a, 0x0661}, // onehackarabic + {0x2d9b14ff, 0xfb6d}, // vehmedialarabic + {0x2da2ea79, 0x313d}, // rieulsioskorean + {0x2daa1b6f, 0x090a}, // uudeva + {0x2db9bc28, 0xf7e3}, // Atildesmall + {0x2e04353d, 0x1ea9}, // acircumflexhookabove + {0x2e043b05, 0xff0a}, // asteriskmonospace + {0x2e10a2b1, 0x0374}, // numeralsigngreek + {0x2e1b300e, 0x05e8}, // reshpatah + {0x2e1eaa7d, 0xfb49}, // shindagesh + {0x2e2c25c0, 0x0392}, // Beta + {0x2e356485, 0x09c2}, // uuvowelsignbengali + {0x2e4224af, 0x05e4}, // afii57684 + {0x2e5e0023, 0x0a20}, // tthagurmukhi + {0x2e647759, 0x33d6}, // molsquare + {0x2e7c6436, 0x3048}, // ehiragana + {0x2e915a9d, 0xfe3b}, // blacklenticularbracketleftvertical + {0x2e9d6cac, 0xf7f0}, // Ethsmall + {0x2e9e14a6, 0x0454}, // ecyrillic + {0x2e9ef541, 0x0192}, // florin + {0x2ea8b970, 0x327a}, // phieuphacirclekorean + {0x2eb22aa1, 0x01dc}, // udieresisgrave + {0x2eb3bdc7, 0x027e}, // rfishhook + {0x2eb455b0, 0x25b6}, // blackrightpointingtriangle + {0x2ec430ea, 0x0078}, // x + {0x2ec8352a, 0x0143}, // Nacute + {0x2eea1838, 0x0170}, // Uhungarumlaut + {0x2efaa14d, 0x3015}, // tortoiseshellbracketright + {0x2f06c380, 0x0a91}, // ocandragujarati + {0x2f0e722f, 0x0021}, // exclam + {0x2f14e4ad, 0x0183}, // btopbar + {0x2f1fd59c, 0xf6d1}, // cyrBreve + {0x2f22b335, 0x305f}, // tahiragana + {0x2f247a45, 0x00b5}, // mu + {0x2f42e9c9, 0x0405}, // afii10054 + {0x2f4b01e9, 0x03e0}, // Sampigreek + {0x2f51a2a5, 0x0591}, // etnahtahebrew + {0x2f5af1cc, 0xfec4}, // tahmedialarabic + {0x2f5c74c9, 0x30a4}, // ikatakana + {0x2f5e2692, 0x033f}, // dbloverlinecmb + {0x2f7e3ce0, 0xfb35}, // vavdagesh65 + {0x2f7fe7da, 0x04ea}, // Obarreddieresiscyrillic + {0x2f8f84ed, 0x3019}, // whitetortoiseshellbracketright + {0x2f9c7ff4, 0x221f}, // orthogonal + {0x2fa13b0c, 0x0309}, // hookcmb + {0x2fa6d960, 0x0e05}, // khokhonthai + {0x2fb88e89, 0x0492}, // Ghestrokecyrillic + {0x2fe066dc, 0x24c8}, // Scircle + {0x2ff9eee3, 0x3231}, // ideographicstockparen + {0x30132e73, 0x2474}, // oneparen + {0x302d72c2, 0xfb2b}, // shinsindothebrew + {0x3033e257, 0x0416}, // Zhecyrillic + {0x3034a6d0, 0x0213}, // rinvertedbreve + {0x3043436d, 0x0208}, // Idblgrave + {0x3046485b, 0x0a41}, // umatragurmukhi + {0x30585e10, 0x0631}, // reharabic + {0x305b2089, 0x006d}, // m + {0x305dc9d7, 0x2480}, // thirteenparen + {0x3097f64c, 0x010c}, // Ccaron + {0x30b4b18c, 0x0e28}, // sosalathai + {0x30c0161e, 0x01d3}, // Ucaron + {0x30c9bc6e, 0x0a1e}, // nyagurmukhi + {0x30cd38cb, 0x33d8}, // pmsquare + {0x30d25d42, 0x2089}, // nineinferior + {0x30e6287a, 0x05e7}, // qofhatafpatah + {0x30eada85, 0x2219}, // bulletoperator + {0x30f64fef, 0x20aa}, // sheqelhebrew + {0x310a4774, 0x337f}, // corporationsquare + {0x31158bc3, 0x339f}, // mmsquaredsquare + {0x3116a838, 0x0647}, // heharabic + {0x312db4ff, 0x2040}, // tie + {0x313237dd, 0xff32}, // Rmonospace + {0x313f3c20, 0x09df}, // yyabengali + {0x3154a912, 0x04ab}, // esdescendercyrillic + {0x31f1489a, 0x0643}, // afii57443 + {0x31f928de, 0x05df}, // finalnun + {0x31fab77d, 0x1eea}, // Uhorngrave + {0x3207407e, 0x046b}, // yusbigcyrillic + {0x3225e9b9, 0x05dc}, // lamedholamhebrew + {0x3238fa28, 0x3004}, // jis + {0x323ea229, 0x33ac}, // gpasquare + {0x324496b3, 0x33bf}, // mwmegasquare + {0x3248fa12, 0xfe5e}, // tortoiseshellbracketrightsmall + {0x324bc39e, 0x22da}, // lessequalorgreater + {0x3266451e, 0x30f2}, // wokatakana + {0x326ca1fd, 0x013f}, // Ldot + {0x328fa9de, 0x230b}, // floorrightBigg + {0x32930f95, 0x046f}, // ksicyrillic + {0x329a975f, 0x0a0a}, // uugurmukhi + {0x329ed55c, 0x04e1}, // dzeabkhasiancyrillic + {0x32d855b8, 0x0ae9}, // threegujarati + {0x32e77f07, 0x22c2}, // intersectiontext + {0x32fd46a7, 0x041e}, // afii10032 + {0x32fe41c6, 0x0667}, // afii57399 + {0x330263f2, 0x3136}, // nieunhieuhkorean + {0x3303dbcb, 0x04b2}, // Hadescendercyrillic + {0x33042de7, 0x1e90}, // Zcircumflex + {0x33231bf5, 0x27e8}, // angbracketleftbigg + {0x335a816e, 0xf739}, // nineoldstyle + {0x335e3259, 0x3022}, // twohangzhou + {0x336106b8, 0x05d7}, // afii57671 + {0x33821f87, 0x05e2}, // ayinhebrew + {0x33849fcd, 0x304d}, // kihiragana + {0x339cb29c, 0x03cb}, // upsilondieresis + {0x339dfd30, 0x2200}, // forall + {0x33a4598f, 0x0e10}, // thothanthai + {0x33dd39ff, 0x0437}, // zecyrillic + {0x33ea63c8, 0x24df}, // pcircle + {0x33f59002, 0x0285}, // eshsquatreversed + {0x340746a2, 0xff4a}, // jmonospace + {0x340dcbd1, 0x21d1}, // arrowdbltp + {0x3425ba3a, 0x056d}, // xeharmenian + {0x342d52b5, 0x25cb}, // whitecircle + {0x34399add, 0x0034}, // four + {0x343b0ff5, 0x1e8b}, // xdotaccent + {0x343f59f3, 0x0437}, // afii10073 + {0x344b950b, 0x031d}, // uptackbelowcmb + {0x34515ec0, 0x01ca}, // NJ + {0x345791f2, 0x027c}, // rlongleg + {0x346086da, 0x2286}, // reflexsubset + {0x3463147c, 0x1e69}, // sdotbelowdotaccent + {0x3471790f, 0xf6f7}, // Dotaccentsmall + {0x3490ad97, 0x047a}, // Omegaroundcyrillic + {0x34a7b989, 0x006f}, // o + {0x34a88183, 0x2640}, // female + {0x34b5f401, 0x016a}, // Umacron + {0x34bab99c, 0x24e0}, // qcircle + {0x34c88fb4, 0x2312}, // arc + {0x34c908a5, 0x1eb4}, // Abrevetilde + {0x34d1f962, 0x05e8}, // reshholamhebrew + {0x34df3d1c, 0x00a1}, // exclamdown + {0x34e969fb, 0x05a0}, // telishagedolahebrew + {0x34f9cd37, 0x010b}, // cdot + {0x35188ac4, 0xfeac}, // thalfinalarabic + {0x351bf85e, 0x0257}, // dhook + {0x351e7136, 0x0482}, // thousandcyrillic + {0x352bce90, 0x00a3}, // sterling + {0x35378756, 0x2591}, // shadelight + {0x35440d94, 0x040c}, // Kjecyrillic + {0x354dad21, 0x0129}, // itilde + {0x35514624, 0x00d6}, // Odieresis + {0x357c478e, 0xf736}, // sixoldstyle + {0x3596098d, 0xfb9f}, // noonghunnafinalarabic + {0x359e9c03, 0x0418}, // Iicyrillic + {0x359f6846, 0x1ebc}, // Etilde + {0x35a9ba78, 0x0a95}, // kagujarati + {0x35b65af3, 0x33af}, // radoverssquaredsquare + {0x35ce2a2d, 0x066a}, // afii57381 + {0x35ddec6f, 0x00eb}, // edieresis + {0x35e5fe3b, 0x3118}, // cbopomofo + {0x3613bad2, 0x011b}, // ecaron + {0x361cb4c9, 0xfb6b}, // vehfinalarabic + {0x361e70b8, 0x0043}, // C + {0x362459fb, 0xfe97}, // tehinitialarabic + {0x362bfa3a, 0xf732}, // twooldstyle + {0x362c9d3a, 0x02b0}, // hsuperior + {0x36678fdf, 0x2326}, // deleteright + {0x3673a47b, 0x05e7}, // qofqamatshebrew + {0x3676afc0, 0x0ac9}, // ocandravowelsigngujarati + {0x368bf72e, 0x0038}, // eight + {0x36aaad0e, 0x307b}, // hohiragana + {0x36d3bc14, 0x0491}, // afii10098 + {0x36d54fb7, 0x015a}, // Sacute + {0x37117bac, 0x059b}, // tevirlefthebrew + {0x372986de, 0x05f3}, // gereshhebrew + {0x373e5e3f, 0xff27}, // Gmonospace + {0x37497fde, 0x25b7}, // a3 + {0x3781d925, 0xf6ed}, // isuperior + {0x37866f5c, 0x00df}, // germandbls + {0x37a73b5a, 0xfee0}, // lammedialarabic + {0x37a77cc1, 0x030b}, // hungarumlautcmb + {0x37b36429, 0xff68}, // ismallkatakanahalfwidth + {0x37b7557e, 0x001c}, // controlFS + {0x37c2175b, 0xfcca}, // lamhahinitialarabic + {0x37c23820, 0x24c5}, // Pcircle + {0x37d669b4, 0x090e}, // eshortdeva + {0x37e460db, 0x308d}, // rohiragana + {0x37e5061e, 0x04a3}, // endescendercyrillic + {0x37f67ca7, 0x029a}, // eopenclosed + {0x380974a8, 0xf735}, // fiveoldstyle + {0x381040c4, 0x310d}, // gbopomofo + {0x381640e0, 0xffe3}, // macronmonospace + {0x381c7e4d, 0x1ece}, // Ohookabove + {0x38201bde, 0x0961}, // llvocalicdeva + {0x38291591, 0x0e2e}, // honokhukthai + {0x3839681b, 0x3055}, // sahiragana + {0x3863c9a6, 0x208e}, // parenrightinferior + {0x386cda71, 0x01f0}, // jcaron + {0x38746563, 0x01b0}, // uhorn + {0x38880d1d, 0x0198}, // Khook + {0x38885f68, 0x091d}, // jhadeva + {0x3889a61f, 0x005b}, // bracketleftbigg + {0x388ccfdd, 0x30e3}, // yasmallkatakana + {0x3896be1c, 0x0025}, // percent + {0x38a80af1, 0x306d}, // nehiragana + {0x38bcbef5, 0x05b7}, // afii57798 + {0x38bebcf5, 0x2552}, // SF510000 + {0x38ce8c39, 0x059a}, // yetivhebrew + {0x38cea50a, 0x24d6}, // gcircle + {0x38d9b559, 0x3003}, // dittomark + {0x38de4662, 0x1e7c}, // Vtilde + {0x38e73ed2, 0x01c0}, // clickdental + {0x38efc9e4, 0x04a6}, // Pemiddlehookcyrillic + {0x391bc4d9, 0xf6d3}, // dblGrave + {0x391e728b, 0x099a}, // cabengali + {0x392c00af, 0x3305}, // intisquare + {0x3934b5de, 0x0e43}, // saraaimaimuanthai + {0x3946429a, 0x3010}, // blacklenticularbracketleft + {0x396642a3, 0x322d}, // ideographicwoodparen + {0x396b44dd, 0x0a3c}, // nuktagurmukhi + {0x396d8b52, 0x0930}, // radeva + {0x3989511a, 0xfc5e}, // shaddadammatanarabic + {0x39918d40, 0x30b6}, // zakatakana + {0x399ac15a, 0x0283}, // esh + {0x39aa6d90, 0x0a83}, // visargagujarati + {0x39b06752, 0x004a}, // J + {0x39d0b19b, 0x00ae}, // registered + {0x39d5a1b1, 0x019c}, // Mturned + {0x39e226d5, 0x05e3}, // afii57683 + {0x39f864d5, 0x2462}, // threecircle + {0x39fd88e8, 0x05a8}, // qadmahebrew + {0x3a029acd, 0x338e}, // squaremg + {0x3a0e66b8, 0x1ee6}, // Uhookabove + {0x3a1089b2, 0x0073}, // s + {0x3a3b69ae, 0x317c}, // siostikeutkorean + {0x3a3c0e00, 0xff9d}, // nkatakanahalfwidth + {0x3a40856d, 0x25a0}, // blacksquare + {0x3a7498f3, 0x05e2}, // ayin + {0x3a777405, 0x0945}, // ecandravowelsigndeva + {0x3a846086, 0xff9c}, // wakatakanahalfwidth + {0x3aa3cfcb, 0x0960}, // rrvocalicdeva + {0x3ab26d21, 0x062f}, // dalarabic + {0x3ade6670, 0x0440}, // afii10082 + {0x3afe4407, 0x25a9}, // squarediagonalcrosshatchfill + {0x3b0367b4, 0x0a6b}, // fivegurmukhi + {0x3b43910b, 0x0e36}, // sarauethai + {0x3b4774fb, 0xfb35}, // vavdageshhebrew + {0x3b6394a8, 0x30e0}, // mukatakana + {0x3b722aff, 0x02bf}, // ringhalfleft + {0x3b86faf7, 0x1e31}, // kacute + {0x3b8c9510, 0x0926}, // dadeva + {0x3b8f536a, 0x0564}, // daarmenian + {0x3b919910, 0x02b4}, // rturnedsuperior + {0x3b92b9ea, 0x1e4b}, // ncircumflexbelow + {0x3b9a0136, 0x2468}, // ninecircle + {0x3b9a26e8, 0x0637}, // taharabic + {0x3bf4dcc7, 0xfea3}, // hahinitialarabic + {0x3bf5a3f3, 0x301d}, // quotedblprimereversed + {0x3c2679f3, 0x25c3}, // whiteleftpointingsmalltriangle + {0x3c4101c7, 0x0a2b}, // phagurmukhi + {0x3c47c401, 0x0196}, // Iotaafrican + {0x3c5c7654, 0x0910}, // aideva + {0x3c6261b4, 0x322e}, // ideographicmetalparen + {0x3c6e58f4, 0x05d5}, // vavhebrew + {0x3c89c6b7, 0x2192}, // arrowright + {0x3c9425ca, 0x0666}, // sixhackarabic + {0x3c9b6897, 0xff0e}, // periodmonospace + {0x3c9bce6c, 0xf7ee}, // Icircumflexsmall + {0x3ca31461, 0x01d1}, // Ocaron + {0x3ca4227b, 0x0120}, // Gdot + {0x3ca9c5ab, 0x0345}, // ypogegrammenigreekcmb + {0x3cb5e1bf, 0x3146}, // ssangsioskorean + {0x3cb6098f, 0x25b9}, // whiterightpointingsmalltriangle + {0x3ccd3832, 0xfc60}, // shaddafathaarabic + {0x3cfd6c60, 0x305a}, // zuhiragana + {0x3cfe2d05, 0x018f}, // Schwa + {0x3d0581a8, 0x313c}, // rieulpieupkorean + {0x3d200141, 0x30c9}, // dokatakana + {0x3d25bc32, 0x2116}, // numero + {0x3d292466, 0x05b1}, // hatafsegol17 + {0x3d30abad, 0x0279}, // rturned + {0x3d3a35a3, 0x0252}, // ascriptturned + {0x3d3c2f4b, 0x309d}, // iterationhiragana + {0x3d44ad12, 0x3210}, // tikeutaparenkorean + {0x3d4a2f11, 0x0187}, // Chook + {0x3d50ceda, 0x21a8}, // arrowupdnbse + {0x3d59a63c, 0x30e2}, // mokatakana + {0x3d64f67d, 0xf6cd}, // DieresisGrave + {0x3d6d45f8, 0x0688}, // ddalarabic + {0x3d794ead, 0x04c8}, // enhookcyrillic + {0x3d888246, 0x300d}, // cornerbracketright + {0x3d93ad95, 0x0171}, // uhungarumlaut + {0x3d987773, 0x03c6}, // phi + {0x3da1e076, 0xfb2a}, // shinshindot + {0x3da24bf2, 0x004d}, // M + {0x3da45134, 0xff3d}, // bracketrightmonospace + {0x3dac6cb7, 0x212e}, // estimated + {0x3db24f7f, 0x04eb}, // obarreddieresiscyrillic + {0x3dc500c0, 0xf6ca}, // Caron + {0x3ddbfa17, 0xfe64}, // lesssmall + {0x3de34107, 0xf6d2}, // cyrFlex + {0x3de84dee, 0x3387}, // GBsquare + {0x3de8cd4d, 0x02c9}, // firsttonechinese + {0x3deb36dc, 0x0570}, // hoarmenian + {0x3dee4810, 0xf7a2}, // centoldstyle + {0x3e08b864, 0x1e1c}, // Ecedillabreve + {0x3e2966c3, 0x25a7}, // squareupperlefttolowerrightfill + {0x3e2ad069, 0x0125}, // hcircumflex + {0x3e2b18e7, 0x05d2}, // gimelhebrew + {0x3e2ddf1a, 0x00fb}, // ucircumflex + {0x3e4b0d7f, 0x2478}, // fiveparen + {0x3e5c6b2e, 0x2086}, // sixinferior + {0x3e78c213, 0x03f3}, // yotgreek + {0x3e7bef16, 0x063a}, // ghainarabic + {0x3e9c0cab, 0x0e0d}, // yoyingthai + {0x3ea9e6c5, 0x044e}, // afii10096 + {0x3eb04aa9, 0xf7f2}, // Ogravesmall + {0x3ec30c4d, 0x0168}, // Utilde + {0x3ed009a2, 0x05e8}, // reshhiriq + {0x3ed6d505, 0x3108}, // fbopomofo + {0x3edc9801, 0x031e}, // downtackbelowcmb + {0x3edf2653, 0x04ba}, // Shhacyrillic + {0x3edfbd48, 0x0959}, // khhadeva + {0x3ee5a28f, 0x0342}, // perispomenigreekcmb + {0x3ef03dd0, 0xf7e5}, // Aringsmall + {0x3ef2c5ca, 0x05df}, // finalnunhebrew + {0x3efcba10, 0x05d3}, // daletpatahhebrew + {0x3efcef55, 0x09a7}, // dhabengali + {0x3f19d4d4, 0x30e5}, // yusmallkatakana + {0x3f35ecb4, 0x0a0f}, // eegurmukhi + {0x3f36dce9, 0x061b}, // afii57403 + {0x3f3b739c, 0x05e7}, // qofpatahhebrew + {0x3f4e4960, 0xf76a}, // Jsmall + {0x3f5ead94, 0x0456}, // icyrillic + {0x3f61f37a, 0x1ea3}, // ahookabove + {0x3f76f3d1, 0x0214}, // Udblgrave + {0x3f77d74f, 0x05e8}, // reshqubuts + {0x3f817391, 0x314b}, // khieukhkorean + {0x3f8b0c34, 0x30c7}, // dekatakana + {0x3fa4349b, 0x0e1d}, // fofathai + {0x3fa5f151, 0x03de}, // Koppagreek + {0x3fbf7ccb, 0x01ae}, // Tretroflexhook + {0x3fddfa91, 0x22ce}, // curlyor + {0x3fe060fb, 0x0147}, // Ncaron + {0x3fe534eb, 0x0e12}, // thophuthaothai + {0x4016947c, 0x246b}, // twelvecircle + {0x401a74d3, 0x06f3}, // threepersian + {0x402ddc95, 0xed1a}, // bracehtipupright + {0x40663d0c, 0xfeb2}, // seenfinalarabic + {0x4069b3b1, 0x24ab}, // pparen + {0x407a7b83, 0x0531}, // Aybarmenian + {0x407de2ef, 0x06d5}, // afii57534 + {0x40882350, 0x0305}, // overlinecmb + {0x4096d7d2, 0x006a}, // j + {0x409d1b5a, 0xff97}, // rakatakanahalfwidth + {0x40b0365e, 0x092f}, // yadeva + {0x40e21552, 0x30de}, // makatakana + {0x40eb54f4, 0x046d}, // yusbigiotifiedcyrillic + {0x413f6e7c, 0x05b4}, // hiriq21 + {0x4144d56c, 0x016d}, // ubreve + {0x414507c4, 0x05b9}, // holamnarrowhebrew + {0x414a0074, 0x3336}, // hekutaarusquare + {0x4156eb7c, 0x3123}, // enbopomofo + {0x415d9061, 0xff42}, // bmonospace + {0x415fae27, 0x0398}, // Theta + {0x4161c806, 0x09e1}, // llvocalicbengali + {0x416a2ede, 0x0e04}, // khokhwaithai + {0x4178dd24, 0x2243}, // asymptoticallyequal + {0x41a22b2c, 0x007c}, // bar + {0x41a40813, 0xff2d}, // Mmonospace + {0x41a4780c, 0x0472}, // afii10147 + {0x41c544c2, 0x1ee7}, // uhookabove + {0x41c76cd5, 0x05d7}, // het + {0x41cb5b30, 0x02db}, // ogonek + {0x41da6e39, 0x098c}, // lvocalicbengali + {0x41e154b7, 0x1edd}, // ohorngrave + {0x41e44ef7, 0x0aaa}, // pagujarati + {0x41efdfc2, 0x33c1}, // mohmsquare + {0x42320627, 0x2495}, // fourteenperiod + {0x4235d221, 0xfecf}, // ghaininitialarabic + {0x423f9221, 0x05a7}, // dargahebrew + {0x4247685c, 0x01ff}, // oslashacute + {0x4252dd77, 0x02c7}, // caron + {0x42716524, 0x0069}, // i + {0x42737aaf, 0x3081}, // mehiragana + {0x427d3f50, 0x04a9}, // haabkhasiancyrillic + {0x42803db2, 0x0030}, // zero + {0x42813ae4, 0x1e24}, // Hdotbelow + {0x428fedda, 0xfb44}, // pedagesh + {0x42bba9f5, 0x30f0}, // wikatakana + {0x42bc1b07, 0x25c4}, // triaglf + {0x42bed72c, 0x33c0}, // kohmsquare + {0x42bf360e, 0x1e6e}, // Tlinebelow + {0x42d74152, 0x0578}, // voarmenian + {0x42e554b2, 0x013b}, // Lcedilla + {0x42ed7ca6, 0x0698}, // jeharabic + {0x42f02b62, 0xfb95}, // gafmedialarabic + {0x42f35290, 0x0064}, // d + {0x42fb2842, 0x3120}, // aubopomofo + {0x42fc57be, 0x3110}, // jbopomofo + {0x42fd43ba, 0x044c}, // afii10094 + {0x42fdb31a, 0x0070}, // p + {0x4305bc9e, 0x0920}, // tthadeva + {0x4306eed3, 0x015d}, // scircumflex + {0x430c20fb, 0x215e}, // seveneighths + {0x430ddad4, 0xff20}, // atmonospace + {0x431e0706, 0x00dc}, // Udieresis + {0x43221a39, 0x1e91}, // zcircumflex + {0x4328cb01, 0x339d}, // squarecm + {0x432e75ab, 0x055d}, // commaarmenian + {0x43399322, 0x026c}, // lbelt + {0x434b10a7, 0x0a86}, // aagujarati + {0x435f906e, 0xfb3e}, // memdageshhebrew + {0x436008b6, 0x3064}, // tuhiragana + {0x436f4b68, 0xfeaa}, // dalfinalarabic + {0x439bf74d, 0xff8b}, // hikatakanahalfwidth + {0x43a7e4d1, 0x0635}, // afii57429 + {0x43d0d1da, 0x0627}, // afii57415 + {0x43d651b4, 0x2663}, // clubsuitblack + {0x43d755d6, 0x2212}, // minus + {0x43dfb761, 0x0592}, // segoltahebrew + {0x4405f04b, 0x05be}, // afii57645 + {0x4425746a, 0x0a18}, // ghagurmukhi + {0x44317cf4, 0x2662}, // diamondsuitwhite + {0x443620cd, 0x00fe}, // thorn + {0x444b0abf, 0x0467}, // yuslittlecyrillic + {0x444f60e7, 0x007f}, // controlDEL + {0x445a3b6e, 0x0447}, // afii10089 + {0x4461957b, 0x041c}, // Emcyrillic + {0x4464a19f, 0x0acb}, // ovowelsigngujarati + {0x4483f355, 0x300f}, // whitecornerbracketright + {0x4487c491, 0x3342}, // hoonsquare + {0x4492e703, 0x0624}, // afii57412 + {0x44979567, 0x0a25}, // thagurmukhi + {0x449b4678, 0xfec3}, // tahinitialarabic + {0x44a78c72, 0x1eef}, // uhorntilde + {0x44b414b4, 0xff0c}, // commamonospace + {0x44d687fa, 0x1e06}, // Blinebelow + {0x450fad6c, 0xf6fd}, // Scaronsmall + {0x45116064, 0x2592}, // shade + {0x453aa0af, 0x09f0}, // ramiddlediagonalbengali + {0x4546a724, 0x05d0}, // afii57664 + {0x454cef44, 0x2642}, // mars + {0x455bcfc1, 0x041d}, // afii10031 + {0x457de97e, 0x3184}, // kapyeounphieuphkorean + {0x457e9e97, 0x1ee8}, // Uhornacute + {0x459f0c78, 0x23a7}, // bracelefttp + {0x45b3d9fd, 0x0a22}, // ddhagurmukhi + {0x45b6c88f, 0x029b}, // Gsmallhook + {0x45b98e95, 0x2163}, // Fourroman + {0x45c29649, 0x1ef4}, // Ydotbelow + {0x45c5ae6b, 0x0165}, // tcaron + {0x45d73e08, 0x0a09}, // ugurmukhi + {0x45e50e5b, 0x0384}, // tonos + {0x45f6e82c, 0x057f}, // tiwnarmenian + {0x45f7d5e0, 0x2084}, // fourinferior + {0x46038ece, 0x00b6}, // paragraph + {0x460c35ae, 0x05b8}, // qamats10 + {0x460ca9f0, 0x30e8}, // yokatakana + {0x4611c6d0, 0x000b}, // controlVT + {0x461bc854, 0x0194}, // Gammaafrican + {0x46271982, 0x23ac}, // bracerightmid + {0x46375ba2, 0x23d0}, // arrowvertex + {0x4652be4f, 0x1e6d}, // tdotbelow + {0x46541398, 0x0111}, // dmacron + {0x46577172, 0x22c3}, // uniondisplay + {0x465ea2f8, 0x3202}, // tikeutparenkorean + {0x46611d40, 0x05bb}, // qubuts31 + {0x466452b7, 0x321b}, // hieuhaparenkorean + {0x467a9a55, 0x055b}, // emphasismarkarmenian + {0x46ab407a, 0x322b}, // ideographicfireparen + {0x46ab921d, 0x3076}, // buhiragana + {0x46ba3911, 0x1e45}, // ndotaccent + {0x46bce40e, 0xfb4f}, // aleflamedhebrew + {0x46c4dd5b, 0x0433}, // afii10068 + {0x46ca3a49, 0x2791}, // eightcircleinversesansserif + {0x46e3006c, 0x055c}, // exclamarmenian + {0x46f10ed2, 0x222a}, // union + {0x46f3948a, 0x05d1}, // bethebrew + {0x46f5f918, 0x05c3}, // afii57658 + {0x46f9c8ca, 0x2195}, // arrowupdn + {0x470d662e, 0x042e}, // IUcyrillic + {0x470da4b8, 0x0453}, // gjecyrillic + {0x471d219d, 0x00f4}, // ocircumflex + {0x47246853, 0xf890}, // maitriupperleftthai + {0x472c971d, 0x1e4d}, // otildeacute + {0x47542f2d, 0x0107}, // cacute + {0x47849b51, 0x05e5}, // finaltsadi + {0x478eb915, 0x014f}, // obreve + {0x47a8409c, 0x05e8}, // reshqubutshebrew + {0x47b12f1d, 0x3009}, // anglebracketright + {0x47b78334, 0x09a5}, // thabengali + {0x47dfd2f2, 0xf7a1}, // exclamdownsmall + {0x47ee62a0, 0x04f1}, // udieresiscyrillic + {0x480265ce, 0x06f2}, // twopersian + {0x48175191, 0x0130}, // Idotaccent + {0x481e50de, 0xfb32}, // gimeldagesh + {0x4825c60d, 0x02c3}, // arrowheadrightmod + {0x482626d7, 0x09ee}, // eightbengali + {0x4826d3e4, 0x3391}, // khzsquare + {0x48270352, 0x1e42}, // Mdotbelow + {0x4848966d, 0x05b2}, // hatafpatah + {0x485d5052, 0x057d}, // seharmenian + {0x48908e05, 0xff28}, // Hmonospace + {0x48a3aad1, 0x1ec8}, // Ihookabove + {0x48adcc47, 0x0160}, // Scaron + {0x48b11825, 0x1e3f}, // macute + {0x48b31eb3, 0x02a3}, // dzaltone + {0x48bbab6b, 0x1e68}, // Sdotbelowdotaccent + {0x48cf810a, 0x27e8}, // angbracketleftBigg + {0x48d0cd97, 0x0460}, // Omegacyrillic + {0x48ed1289, 0x3180}, // ssangieungkorean + {0x48f1ea86, 0x007c}, // verticalbar + {0x49188fb6, 0x261d}, // pointingindexupwhite + {0x491e8c30, 0x2562}, // SF200000 + {0x4928f75b, 0x1e3d}, // lcircumflexbelow + {0x49299271, 0x1eee}, // Uhorntilde + {0x49314f7c, 0x1e96}, // hlinebelow + {0x493c6957, 0x01ec}, // Oogonekmacron + {0x497b2a29, 0x03c8}, // psi + {0x49877605, 0x1ecf}, // ohookabove + {0x49a6c904, 0x00d5}, // Otilde + {0x49a8fbe4, 0x227a}, // precedes + {0x49b28bf6, 0x011f}, // gbreve + {0x49c941c8, 0x0630}, // thalarabic + {0x49cf949f, 0x0011}, // controlDC1 + {0x49d53679, 0x053e}, // Caarmenian + {0x49de9093, 0x0029}, // parenrightBig + {0x49e41b40, 0x0117}, // edotaccent + {0x4a059748, 0x2329}, // angleleft + {0x4a0a939e, 0x02dc}, // ilde + {0x4a0dc7cd, 0x0273}, // nhookretroflex + {0x4a1b8688, 0x0a8f}, // egujarati + {0x4a26a1e2, 0xf88c}, // maieklowleftthai + {0x4a67a4cd, 0x33c6}, // coverkgsquare + {0x4a6dc3e0, 0x017c}, // zdotaccent + {0x4a8f25d9, 0x0134}, // Jcircumflex + {0x4a911686, 0x042a}, // Hardsigncyrillic + {0x4aa9a643, 0x220c}, // notcontains + {0x4ab184ff, 0x221a}, // radicalbt + {0x4ab871b2, 0x05a9}, // telishaqetanahebrew + {0x4ad4b644, 0x066c}, // thousandsseparatorpersian + {0x4ad593e8, 0x05e7}, // qofpatah + {0x4adaae02, 0x30bc}, // zekatakana + {0x4b13bfc7, 0x261f}, // pointingindexdownwhite + {0x4b146e46, 0x0076}, // v + {0x4b1cfc1b, 0x0052}, // R + {0x4b214add, 0x05e8}, // reshhatafsegolhebrew + {0x4b69c8eb, 0x3200}, // kiyeokparenkorean + {0x4b7a4380, 0x326b}, // thieuthcirclekorean + {0x4b8cb1d3, 0x315a}, // oekorean + {0x4b904ad7, 0x09ec}, // sixbengali + {0x4bc3db0d, 0xfe8e}, // aleffinalarabic + {0x4bcb1484, 0x0997}, // gabengali + {0x4bf3941c, 0x04e7}, // odieresiscyrillic + {0x4c1231bd, 0xfebe}, // dadfinalarabic + {0x4c224e3d, 0x0216}, // Uinvertedbreve + {0x4c31d446, 0x05b6}, // segolwidehebrew + {0x4c330dc7, 0x2303}, // control + {0x4c539c26, 0xff45}, // emonospace + {0x4c550d84, 0x0286}, // eshcurl + {0x4c63022b, 0x00ac}, // logicalnot + {0x4c636f96, 0xfe4c}, // overlinedblwavy + {0x4ca2293a, 0x0549}, // Chaarmenian + {0x4ca721bb, 0x24d9}, // jcircle + {0x4cbb6976, 0x054c}, // Raarmenian + {0x4cbfbcf5, 0xf6cb}, // Dieresis + {0x4cc2766b, 0x0474}, // Izhitsacyrillic + {0x4ccaa98f, 0x0292}, // ezh + {0x4cda32dd, 0x2592}, // shademedium + {0x4cf1d7c1, 0xfb2c}, // shindageshshindot + {0x4d08f8de, 0x278c}, // threecircleinversesansserif + {0x4d18f1c3, 0x01e5}, // gstroke + {0x4d3fee14, 0x2207}, // gradient + {0x4d5e2eea, 0x09c7}, // evowelsignbengali + {0x4d66ad61, 0x0259}, // schwa + {0x4d6f0f44, 0x03b6}, // zeta + {0x4d76cbca, 0x0939}, // hadeva + {0x4d773822, 0x007d}, // bracerightbig + {0x4da2ea17, 0x30f7}, // vakatakana + {0x4dad3b1f, 0xff47}, // gmonospace + {0x4db4092d, 0x05b2}, // hatafpatahquarterhebrew + {0x4dc635ef, 0x03c2}, // sigmafinal + {0x4dccadbd, 0xf6ea}, // bsuperior + {0x4dd49001, 0x04ae}, // Ustraightcyrillic + {0x4dd4e51e, 0x05e3}, // finalpe + {0x4ddb0ff8, 0x3014}, // tortoiseshellbracketleft + {0x4ddbe970, 0x0054}, // T + {0x4ddd9ef4, 0x3296}, // ideographicfinancialcircle + {0x4dedf33d, 0xff8d}, // hekatakanahalfwidth + {0x4def9c7c, 0x2327}, // clear + {0x4dfb4b2a, 0x247b}, // eightparen + {0x4e03617a, 0x0ac1}, // uvowelsigngujarati + {0x4e0fdced, 0x0a2d}, // bhagurmukhi + {0x4e1cdd9c, 0x247d}, // tenparen + {0x4e63a83b, 0x0642}, // qafarabic + {0x4e7d8096, 0xff53}, // smonospace + {0x4e8356bc, 0x0108}, // Ccircumflex + {0x4eb853e7, 0x3384}, // kasquare + {0x4ec3d2dc, 0xfccb}, // lamkhahinitialarabic + {0x4ec752cf, 0x2022}, // bullet + {0x4ef94777, 0x323b}, // ideographicstudyparen + {0x4efcaf3c, 0x01ff}, // ostrokeacute + {0x4f1d81af, 0x05bb}, // qubuts + {0x4f1d9a74, 0x1e15}, // emacrongrave + {0x4f1fbad2, 0x33b2}, // mussquare + {0x4f238367, 0x0270}, // mlonglegturned + {0x4f23d8fd, 0xfeda}, // kaffinalarabic + {0x4f2d09de, 0x0662}, // twohackarabic + {0x4f2efda5, 0xff07}, // quotesinglemonospace + {0x4f30c414, 0x01c6}, // dzcaron + {0x4f4be9c8, 0x3129}, // iubopomofo + {0x4f6c2078, 0x00e5}, // aring + {0x4f9b207b, 0x06c1}, // hehaltonearabic + {0x4f9deafc, 0x03c4}, // tau + {0x4fb92256, 0x216b}, // Twelveroman + {0x4fdd1a2b, 0x300a}, // dblanglebracketleft + {0x4feaecfe, 0x22c3}, // uniontext + {0x4fef28fa, 0xf6c3}, // commaaccent + {0x5004c9ab, 0x09ed}, // sevenbengali + {0x50166be8, 0x049a}, // Kadescendercyrillic + {0x501dd48e, 0x2229}, // intersection + {0x5024fa7b, 0x260f}, // whitetelephone + {0x5026482c, 0x228f}, // a60 + {0x502bdceb, 0x3290}, // ideographsuncircle + {0x503133b5, 0x0009}, // controlHT + {0x50604a35, 0x05e7}, // qofqubuts + {0x507713d7, 0x2a02}, // circlemultiplytext + {0x50794cf3, 0x255d}, // SF260000 + {0x508090a0, 0xff82}, // tukatakanahalfwidth + {0x50993bc3, 0x05dd}, // finalmemhebrew + {0x509ec6af, 0x0490}, // Gheupturncyrillic + {0x50a87245, 0x05b9}, // holamwidehebrew + {0x50be3a5b, 0x3189}, // yoikorean + {0x50cc5524, 0x00be}, // threequarters + {0x50cc8cef, 0x24a3}, // hparen + {0x50fb6106, 0x30c1}, // tikatakana + {0x510f444c, 0x0662}, // afii57394 + {0x511118c0, 0x05b8}, // qamatsqatanquarterhebrew + {0x51250a43, 0x0ab9}, // hagujarati + {0x5125d1fa, 0x25a1}, // whitesquare + {0x513a52c9, 0x2510}, // SF030000 + {0x51439af3, 0x064e}, // afii57454 + {0x5147986a, 0xff5b}, // braceleftmonospace + {0x514d7298, 0x3238}, // ideographiclaborparen + {0x5153d63f, 0xf895}, // maichattawalowleftthai + {0x515692ea, 0x0414}, // Decyrillic + {0x51616742, 0x328c}, // ideographwatercircle + {0x51817d65, 0xfca1}, // tehjeeminitialarabic + {0x51969939, 0x03ba}, // kappa + {0x51ca7ab6, 0x00f6}, // odieresis + {0x51cbc424, 0x014d}, // omacron + {0x51d34569, 0x00e9}, // eacute + {0x51e4f41a, 0xf6db}, // trademarkserif + {0x51e6847c, 0x05b2}, // hatafpatah16 + {0x51ed3cb2, 0x00af}, // macron + {0x51f006ea, 0x24af}, // tparen + {0x51f3c5bb, 0x2082}, // twoinferior + {0x51fee10e, 0x2210}, // coproducttext + {0x52099e7d, 0x3267}, // ieungcirclekorean + {0x5241ded3, 0x0428}, // Shacyrillic + {0x5247cafc, 0x0691}, // afii57513 + {0x524c924c, 0x02d6}, // plusmod + {0x525a3324, 0x2606}, // whitestar + {0x5282fafa, 0x0e09}, // chochingthai + {0x528afecc, 0xfb89}, // ddalfinalarabic + {0x52beac4f, 0x25bf}, // whitedownpointingsmalltriangle + {0x52e15cc8, 0x24b6}, // Acircle + {0x52f72574, 0x3322}, // sentisquare + {0x530e1856, 0x05dd}, // finalmem + {0x531472bf, 0x05bb}, // qubutswidehebrew + {0x531963a3, 0x0a73}, // uragurmukhi + {0x531c6e1f, 0x315b}, // yokorean + {0x532f469f, 0x093d}, // avagrahadeva + {0x533e9388, 0x02bc}, // afii57929 + {0x537b0d36, 0x0466}, // Yuslittlecyrillic + {0x5382e913, 0x002f}, // slashBigg + {0x5396a4ab, 0x2a04}, // unionmultidisplay + {0x53b3b784, 0xfb4a}, // tavdagesh + {0x53ca8524, 0x099d}, // jhabengali + {0x53d60270, 0x05d3}, // dalethiriqhebrew + {0x53d8dfb9, 0x3115}, // shbopomofo + {0x53e66e1a, 0x0476}, // Izhitsadblgravecyrillic + {0x53f49c2a, 0x066c}, // thousandsseparatorarabic + {0x53f951b5, 0x056f}, // kenarmenian + {0x53febc17, 0x05e8}, // reshqamatshebrew + {0x540493c8, 0x03b1}, // alpha + {0x540c5f40, 0x0552}, // Yiwnarmenian + {0x542576f9, 0x0a07}, // igurmukhi + {0x542f1e7a, 0x0151}, // ohungarumlaut + {0x54761f15, 0x0631}, // afii57425 + {0x54820079, 0x04df}, // zedieresiscyrillic + {0x548a6dde, 0x0451}, // iocyrillic + {0x5494ff15, 0x053c}, // Liwnarmenian + {0x54cc0e6b, 0x0212}, // Rinvertedbreve + {0x54d729fd, 0xf6bf}, // LL + {0x54dfda54, 0xfe44}, // whitecornerbracketrightvertical + {0x54f8c0f2, 0x1e78}, // Utildeacute + {0x55003750, 0x05b0}, // shevanarrowhebrew + {0x55021a5a, 0x0644}, // lamarabic + {0x5509dd21, 0xf7bf}, // questiondownsmall + {0x550a9f23, 0x0452}, // djecyrillic + {0x550d7456, 0x0061}, // a + {0x5512ec97, 0x0067}, // g + {0x55164cbd, 0xf7fb}, // Ucircumflexsmall + {0x552705b9, 0xf7e1}, // Aacutesmall + {0x552e72ea, 0x1e8d}, // xdieresis + {0x5532b75e, 0x3044}, // ihiragana + {0x554f67fa, 0x1e4e}, // Otildedieresis + {0x556bcf7c, 0xff1f}, // questionmonospace + {0x5575c7a8, 0x09a8}, // nabengali + {0x557f8e27, 0x1ee0}, // Ohorntilde + {0x558d2385, 0x0318}, // lefttackbelowcmb + {0x55aa99d5, 0xfe3f}, // anglebracketleftvertical + {0x55b44317, 0x1ef2}, // Ygrave + {0x55b8ceec, 0xed6b}, // radicalvertex + {0x55c6e8cd, 0x0aac}, // bagujarati + {0x55e74cbe, 0xf8fb}, // bracketrightbt + {0x55e81ebb, 0x3124}, // angbopomofo + {0x56000715, 0x33b0}, // pssquare + {0x560f90ad, 0x25e4}, // blackupperlefttriangle + {0x56200891, 0x092b}, // phadeva + {0x56217879, 0x0596}, // tipehalefthebrew + {0x56362764, 0x24d0}, // acircle + {0x565aa859, 0x30a8}, // ekatakana + {0x565d95fc, 0x3109}, // dbopomofo + {0x566af414, 0xed6a}, // radicaltp + {0x567e8709, 0xf6f4}, // Brevesmall + {0x569f0bdc, 0x05e7}, // qofqamats + {0x56a0101f, 0x04ac}, // Tedescendercyrillic + {0x56d036b9, 0x000f}, // controlSI + {0x56deae12, 0x0102}, // Abreve + {0x57050efe, 0x0145}, // Ncommaaccent + {0x5708e98e, 0x3154}, // ekorean + {0x570da3d3, 0xf8e9}, // copyrightsans + {0x5713d355, 0x2790}, // sevencircleinversesansserif + {0x575226bc, 0xf8f7}, // parenrightex + {0x57687403, 0x0e08}, // chochanthai + {0x576959da, 0x04b7}, // chedescendercyrillic + {0x577fdcc5, 0x033a}, // bridgeinvertedbelowcmb + {0x578594f4, 0x0e47}, // maitaikhuthai + {0x579e8de2, 0x2074}, // foursuperior + {0x57a10bfe, 0x0435}, // iecyrillic + {0x57a26403, 0xf6eb}, // dsuperior + {0x57c4d153, 0xfb1f}, // yodyodpatahhebrew + {0x57c8c90f, 0x313b}, // rieulmieumkorean + {0x57cea503, 0xff17}, // sevenmonospace + {0x57fc3d5e, 0x255b}, // SF280000 + {0x58064efc, 0x0448}, // shacyrillic + {0x580bc6b8, 0x2320}, // integraltop + {0x580e0aa6, 0x005e}, // asciicircum + {0x5817c838, 0x3141}, // mieumkorean + {0x581d6ffc, 0x1ef8}, // Ytilde + {0x58246165, 0x0152}, // OE + {0x582e4f2f, 0x02a1}, // glottalstopstroke + {0x58408a1e, 0x2321}, // integralbottom + {0x584e8397, 0x263a}, // whitesmilingface + {0x5855c496, 0x0465}, // eiotifiedcyrillic + {0x587d22eb, 0x208d}, // parenleftinferior + {0x58a61c85, 0x1e9a}, // arighthalfring + {0x58ab0a67, 0x0544}, // Menarmenian + {0x58ae8d36, 0x05e8}, // reshhatafpatah + {0x58ba15a9, 0x24c9}, // Tcircle + {0x58c52193, 0x221a}, // radical + {0x58df0572, 0x0301}, // acutecmb + {0x58dfd388, 0x3187}, // yoyakorean + {0x58e61a1f, 0x05e8}, // resh + {0x58ea1dd9, 0x0650}, // afii57456 + {0x59322213, 0xf7e8}, // Egravesmall + {0x593b3f38, 0x0aa1}, // ddagujarati + {0x5951351c, 0x0109}, // ccircumflex + {0x59664498, 0xff21}, // Amonospace + {0x597231b2, 0x1e00}, // Aringbelow + {0x598309ec, 0x1edc}, // Ohorngrave + {0x598631c5, 0x24c1}, // Lcircle + {0x59b5003e, 0x3274}, // siosacirclekorean + {0x59b9b187, 0x0075}, // u + {0x59be0f3a, 0xff7f}, // sokatakanahalfwidth + {0x59c46f70, 0x3299}, // ideographicsecretcircle + {0x59c80d40, 0x2482}, // fifteenparen + {0x59d6d87b, 0xff74}, // ekatakanahalfwidth + {0x59d7f689, 0x3393}, // ghzsquare + {0x59eccfd0, 0x05a3}, // munahlefthebrew + {0x5a1aca3c, 0xfe34}, // wavyunderscorevertical + {0x5a24f67c, 0x03b4}, // delta + {0x5a3b6461, 0xfeb8}, // sheenmedialarabic + {0x5a532aa6, 0x0586}, // feharmenian + {0x5a575dc4, 0x0582}, // yiwnarmenian + {0x5a62c8e8, 0x005c}, // backslash + {0x5a8d2a4a, 0x09c3}, // rvocalicvowelsignbengali + {0x5a963c7c, 0x0e02}, // khokhaithai + {0x5acd345c, 0x339c}, // squaremm + {0x5ad6e1c9, 0x05e7}, // qofsegol + {0x5af634c5, 0x059e}, // gershayimaccenthebrew + {0x5b041347, 0x0581}, // coarmenian + {0x5b0fd985, 0x0360}, // tildedoublecmb + {0x5b1907c0, 0x30a5}, // usmallkatakana + {0x5b1da33a, 0x2206}, // increment + {0x5b1dbca0, 0x0aa6}, // dagujarati + {0x5b426364, 0x30cf}, // hakatakana + {0x5b426591, 0xfeb7}, // sheeninitialarabic + {0x5b46f9e7, 0x2080}, // zeroinferior + {0x5b54a5c3, 0x05e1}, // afii57681 + {0x5b5f52e7, 0x0421}, // afii10035 + {0x5b68b5ed, 0xf892}, // maitrilowleftthai + {0x5b6ab184, 0x25ef}, // largecircle + {0x5b6f6c30, 0x0003}, // controlETX + {0x5b720455, 0x014c}, // Omacron + {0x5b72ad21, 0x03d5}, // phi1 + {0x5b785975, 0x02a7}, // tesh + {0x5b7a64f2, 0x0597}, // reviahebrew + {0x5bbfa15f, 0x25c4}, // blackleftpointingpointer + {0x5bc1fa37, 0xfb47}, // qofdageshhebrew + {0x5be94211, 0xff24}, // Dmonospace + {0x5beb1e0f, 0x24cf}, // Zcircle + {0x5c0e8b47, 0x0426}, // afii10040 + {0x5c185e06, 0x0250}, // aturned + {0x5c299659, 0x250c}, // SF010000 + {0x5c337c81, 0xff8a}, // hakatakanahalfwidth + {0x5c3478b9, 0xff3a}, // Zmonospace + {0x5c349e9d, 0x30c5}, // dukatakana + {0x5c352033, 0x092c}, // badeva + {0x5c3b9279, 0x307e}, // mahiragana + {0x5c3eecc5, 0x2561}, // SF190000 + {0x5c4a060e, 0x0e29}, // sorusithai + {0x5c6b0ced, 0x05b8}, // qamats33 + {0x5c71c76c, 0x24b8}, // Ccircle + {0x5c738b36, 0xf776}, // Vsmall + {0x5c7f4966, 0x01b8}, // Ezhreversed + {0x5c97be88, 0x0a2a}, // pagurmukhi + {0x5c9a7487, 0x30ec}, // rekatakana + {0x5c9f86aa, 0x05e8}, // reshshevahebrew + {0x5ca0edc2, 0x01e7}, // gcaron + {0x5cad2e17, 0x0679}, // tteharabic + {0x5cb64e9e, 0x0150}, // Ohungarumlaut + {0x5cb98a11, 0x05e9}, // afii57689 + {0x5cc203b0, 0x09eb}, // fivebengali + {0x5cde4fa9, 0xff39}, // Ymonospace + {0x5ce216d6, 0x02bb}, // commaturnedmod + {0x5ce89c18, 0x028c}, // vturned + {0x5cee9de2, 0x333b}, // peezisquare + {0x5d053ab9, 0x334d}, // meetorusquare + {0x5d06b34a, 0x01f5}, // gacute + {0x5d185c29, 0x0aec}, // sixgujarati + {0x5d23e967, 0x019a}, // lbar + {0x5d24fed7, 0x047d}, // omegatitlocyrillic + {0x5d26ca2e, 0x0996}, // khabengali + {0x5d32256c, 0x25c6}, // blackdiamond + {0x5d333915, 0x2234}, // therefore + {0x5d42ce05, 0x30c2}, // dikatakana + {0x5d4fa82e, 0xf724}, // dollaroldstyle + {0x5d590cb1, 0x05bb}, // qubutsnarrowhebrew + {0x5d71a05b, 0x0017}, // controlETB + {0x5d85b369, 0x05b8}, // qamats29 + {0x5d8c507f, 0xfb47}, // qofdagesh + {0x5da58253, 0x30d0}, // bakatakana + {0x5dba07ed, 0x22a5}, // perpendicular + {0x5dbeec87, 0x01cd}, // Acaron + {0x5de3b63c, 0x09cb}, // ovowelsignbengali + {0x5df717ca, 0x05e8}, // reshtserehebrew + {0x5e0aac56, 0x0200}, // Adblgrave + {0x5e1c8dfa, 0x05b0}, // sheva2e + {0x5e27fa57, 0xff6d}, // yusmallkatakanahalfwidth + {0x5e36a670, 0xfe33}, // underscorevertical + {0x5e483ddc, 0x3277}, // chieuchacirclekorean + {0x5e4f2fbb, 0x1e65}, // sacutedotaccent + {0x5ea7176f, 0x02d9}, // dotaccent + {0x5edd1e19, 0xff25}, // Emonospace + {0x5edd9086, 0x003a}, // colon + {0x5eddf92b, 0x0044}, // D + {0x5ee2af9c, 0x0e58}, // eightthai + {0x5f03252d, 0x0136}, // Kcedilla + {0x5f0ec9e9, 0x039a}, // Kappa + {0x5f1bf33a, 0x1e17}, // emacronacute + {0x5f4a5f07, 0x0abe}, // aavowelsigngujarati + {0x5f5c5d5f, 0x041b}, // Elcyrillic + {0x5f63748c, 0x03e6}, // Kheicoptic + {0x5f6ca553, 0x230a}, // floorleftbigg + {0x5f7dc76d, 0x033b}, // squarebelowcmb + {0x5f881d5c, 0x3160}, // yukorean + {0x5f8f63e2, 0x24a0}, // eparen + {0x5f99c0ac, 0x01ad}, // thook + {0x5fa5f5cc, 0xfefa}, // lamalefhamzabelowfinalarabic + {0x5fb56903, 0x095d}, // rhadeva + {0x5fbeac33, 0x028b}, // vhook + {0x5fd46519, 0xf6ef}, // msuperior + {0x5fe9065e, 0x042e}, // afii10048 + {0x6037ae88, 0x1ef3}, // ygrave + {0x603b5882, 0x2287}, // reflexsuperset + {0x603b9d93, 0x00d3}, // Oacute + {0x603ff393, 0x1e6c}, // Tdotbelow + {0x60753fe5, 0x066d}, // afii63167 + {0x607c93ed, 0x01b2}, // Vhook + {0x60a46930, 0x0197}, // Istroke + {0x60a4c80a, 0x30ee}, // wasmallkatakana + {0x60ac2314, 0x25cc}, // dottedcircle + {0x60ba7236, 0x000e}, // controlSO + {0x60d57bed, 0x0aa4}, // tagujarati + {0x60e1bf57, 0x1e0d}, // ddotbelow + {0x60ebe651, 0x1ed8}, // Ocircumflexdotbelow + {0x60f5a9fa, 0x03b7}, // eta + {0x6106119c, 0xff37}, // Wmonospace + {0x610b31e6, 0x01f1}, // DZ + {0x6114c811, 0x1ef0}, // Uhorndotbelow + {0x6121a3f6, 0x0e4d}, // nikhahitthai + {0x61239a5a, 0x01c2}, // clickalveolar + {0x6143b142, 0x1e67}, // scarondotaccent + {0x61503571, 0x027b}, // rhookturned + {0x6154bc05, 0x043b}, // afii10077 + {0x617c687c, 0x01a2}, // Oi + {0x618467d6, 0xf7f3}, // Oacutesmall + {0x6198a771, 0xfef3}, // alefmaksurainitialarabic + {0x61a21109, 0x01c9}, // lj + {0x61a2d0df, 0x258c}, // lfblock + {0x61a6f1a4, 0x0264}, // ramshorn + {0x61b4ed39, 0x25ba}, // triagrt + {0x61b7afbf, 0x05b5}, // tserenarrowhebrew + {0x61b9f022, 0x04c4}, // kahookcyrillic + {0x61ce131a, 0x0647}, // afii57470 + {0x61d46fc2, 0x1ed6}, // Ocircumflextilde + {0x61d7bcdb, 0x1e57}, // pdotaccent + {0x61e75298, 0x0417}, // afii10025 + {0x61f36361, 0x06f8}, // eightpersian + {0x61fe712f, 0x20a4}, // afii08941 + {0x621057dd, 0x1ef5}, // ydotbelow + {0x62106755, 0xf6e5}, // hypheninferior + {0x62127977, 0x266a}, // musicalnote + {0x62161c15, 0x05da}, // finalkafhebrew + {0x6229838d, 0x05d0}, // alef + {0x62447ae3, 0x0314}, // commareversedabovecmb + {0x6248b5e6, 0x33dd}, // wbsquare + {0x625320aa, 0x30b2}, // gekatakana + {0x6259e0bf, 0xf6f1}, // rsuperior + {0x6260c6fc, 0x0589}, // periodarmenian + {0x6265e881, 0x2266}, // lessoverequal + {0x626cbaa4, 0x01bf}, // wynn + {0x62724d89, 0x09ad}, // bhabengali + {0x62896f4a, 0x05f2}, // yodyodhebrew + {0x628a5951, 0xff56}, // vmonospace + {0x62a11b25, 0x1e87}, // wdotaccent + {0x62accaf5, 0xf8ed}, // parenleftbt + {0x62b2cd2d, 0x00c2}, // Acircumflex + {0x62b6e7ac, 0x01a5}, // phook + {0x62c361d5, 0x05e2}, // afii57682 + {0x62c52689, 0x05d5}, // afii57669 + {0x62ca59ed, 0x03aa}, // Iotadieresis + {0x62cfccee, 0x017d}, // Zcaron + {0x62d27ffc, 0x0567}, // eharmenian + {0x62f7161d, 0x3020}, // postalmarkface + {0x630680b1, 0x1e20}, // Gmacron + {0x63070542, 0x0401}, // afii10023 + {0x630758ff, 0x317e}, // sioscieuckorean + {0x632ae410, 0x0acc}, // auvowelsigngujarati + {0x634ac34b, 0x2297}, // timescircle + {0x634e42e5, 0xff2b}, // Kmonospace + {0x635a9554, 0x04e5}, // idieresiscyrillic + {0x636fabd5, 0x093c}, // nuktadeva + {0x637ae7ca, 0x0344}, // dialytikatonoscmb + {0x637d3539, 0x00bc}, // onequarter + {0x6389d9bb, 0x0641}, // afii57441 + {0x63a82931, 0x0297}, // cstretched + {0x63ab7e3b, 0xf6dd}, // rupiah + {0x63d84bb6, 0x2281}, // notsucceeds + {0x63dfed74, 0x311f}, // eibopomofo + {0x63e274d2, 0xfc0b}, // tehjeemisolatedarabic + {0x63e60b13, 0x0149}, // napostrophe + {0x63f6cd8f, 0x049d}, // kaverticalstrokecyrillic + {0x642b78c5, 0x1ed5}, // ocircumflexhookabove + {0x642e193e, 0x0469}, // yuslittleiotifiedcyrillic + {0x6434f04a, 0xfd88}, // lammeemhahinitialarabic + {0x64468e36, 0x0e18}, // thothongthai + {0x64517fe8, 0x004b}, // K + {0x6453c78e, 0x064e}, // fathalowarabic + {0x6454154f, 0xf6ec}, // esuperior + {0x6460d798, 0x3025}, // fivehangzhou + {0x64699e37, 0x2309}, // ceilingrightBigg + {0x646b157e, 0x3242}, // ideographicselfparen + {0x646c5c19, 0x0ab5}, // vagujarati + {0x64755597, 0x05e7}, // qofholamhebrew + {0x647eca4f, 0x09ae}, // mabengali + {0x64a1b76b, 0x30fa}, // vokatakana + {0x64d00b32, 0x0114}, // Ebreve + {0x64d7a402, 0x0e40}, // saraethai + {0x64d94f4a, 0x0e01}, // kokaithai + {0x64e7dff2, 0x09c4}, // rrvocalicvowelsignbengali + {0x64eb016b, 0x2245}, // approximatelyequal + {0x64fd7a48, 0x2078}, // eightsuperior + {0x650678be, 0x02cb}, // fourthtonechinese + {0x65070663, 0x0459}, // ljecyrillic + {0x6510d99a, 0x0938}, // sadeva + {0x651d5722, 0x04c2}, // zhebrevecyrillic + {0x6525cdb1, 0x00ad}, // softhyphen + {0x6543f12c, 0x01d5}, // Udieresismacron + {0x654d08a0, 0x0e3a}, // phinthuthai + {0x657ffabd, 0x22ee}, // ellipsisvertical + {0x6594aba1, 0x02c3}, // a41 + {0x6598fbfe, 0x3112}, // xbopomofo + {0x65a5bd1b, 0x24e1}, // rcircle + {0x65be15d1, 0x0a08}, // iigurmukhi + {0x65c095c5, 0x200e}, // afii299 + {0x65cc1f56, 0x0545}, // Yiarmenian + {0x662a6586, 0xf8f8}, // parenrightbt + {0x662a831c, 0x1eeb}, // uhorngrave + {0x663a2c1a, 0x3300}, // apaatosquare + {0x6642f834, 0x0361}, // breveinverteddoublecmb + {0x665bba62, 0x2017}, // dbllowline + {0x665e930f, 0x3264}, // mieumcirclekorean + {0x666ae75e, 0x0159}, // rcaron + {0x666e8927, 0xfc4e}, // noonmeemisolatedarabic + {0x666faf51, 0xfba5}, // hehhamzaabovefinalarabic + {0x6689dbc7, 0x33cb}, // HPsquare + {0x668e9764, 0x30a2}, // akatakana + {0x669881eb, 0xf8e5}, // radicalex + {0x66b92e17, 0x05e8}, // reshholam + {0x66bb979c, 0x246c}, // thirteencircle + {0x66c590a5, 0x2236}, // ratio + {0x66e750ef, 0xf7ec}, // Igravesmall + {0x66e9c5c7, 0x3084}, // yahiragana + {0x66ef8fdf, 0x040f}, // afii10145 + {0x66fb9b49, 0x33c9}, // gysquare + {0x67188e74, 0x0066}, // f + {0x6740a4ac, 0x25cf}, // H18533 + {0x67427e4a, 0x2079}, // ninesuperior + {0x674a0210, 0x02b6}, // Rsmallinvertedsuperior + {0x674c80b7, 0x03da}, // Stigmagreek + {0x67569fa6, 0x05b5}, // tsere + {0x6758c83c, 0x2588}, // block + {0x6776a85a, 0x0ac7}, // evowelsigngujarati + {0x6779be95, 0x3113}, // zhbopomofo + {0x6785194b, 0x221f}, // rightangle + {0x67949ab4, 0xf891}, // maitrilowrightthai + {0x679d9205, 0x02c5}, // arrowheaddownmod + {0x679dcadd, 0x0e54}, // fourthai + {0x679ffc49, 0x2024}, // onedotenleader + {0x67ea250f, 0x1e2d}, // itildebelow + {0x67ebcea4, 0x3209}, // chieuchparenkorean + {0x67f3db47, 0x3073}, // bihiragana + {0x67f3ecac, 0xfb4b}, // afii57700 + {0x67f7f220, 0x309c}, // semivoicedmarkkana + {0x67fa1db6, 0x203a}, // guilsinglright + {0x68070609, 0x0916}, // khadeva + {0x6808ec86, 0x02d8}, // breve + {0x6811e3e1, 0x0404}, // Ecyrillic + {0x6814026d, 0x02c8}, // verticallinemod + {0x682b08dd, 0x01ac}, // Thook + {0x683090d6, 0xf6f0}, // osuperior + {0x6853e235, 0x0652}, // sukunarabic + {0x685932be, 0xfe36}, // parenrightvertical + {0x68744fba, 0x220f}, // producttext + {0x68a76955, 0x00c7}, // Ccedilla + {0x68b3215e, 0x0339}, // ringhalfrightbelowcmb + {0x68b3ae0f, 0x222e}, // contintegraldisplay + {0x68b98a65, 0x0679}, // afii57511 + {0x68ccd1d8, 0x3212}, // mieumaparenkorean + {0x68eb418e, 0x3011}, // blacklenticularbracketright + {0x690f8118, 0x320b}, // thieuthparenkorean + {0x692bc1f7, 0x0a42}, // uumatragurmukhi + {0x693ccd9c, 0x0432}, // vecyrillic + {0x6962e430, 0x0322}, // hookretroflexbelowcmb + {0x6977f4b7, 0xff05}, // percentmonospace + {0x697925af, 0x05d2}, // gimel + {0x697feb80, 0x030d}, // verticallineabovecmb + {0x6991a62a, 0x0935}, // vadeva + {0x699d525a, 0x0111}, // dcroat + {0x69aabc4d, 0x06af}, // gafarabic + {0x69d31152, 0x0e51}, // onethai + {0x69faaae4, 0x33a7}, // moverssquare + {0x6a104703, 0x2569}, // SF400000 + {0x6a16e743, 0xfef0}, // alefmaksurafinalarabic + {0x6a3d8bdc, 0x0a99}, // ngagujarati + {0x6a511868, 0x03a7}, // Chi + {0x6a5f0a3f, 0x334e}, // yaadosquare + {0x6a721907, 0xfecc}, // ainmedialarabic + {0x6a8d644d, 0x1ead}, // acircumflexdotbelow + {0x6a972227, 0x0401}, // Iocyrillic + {0x6a988d53, 0x2035}, // primereversed + {0x6a9b2b92, 0x0414}, // afii10021 + {0x6aa62850, 0x0662}, // twoarabic + {0x6aa82ca6, 0x3218}, // khieukhaparenkorean + {0x6abb1490, 0x005d}, // bracketright + {0x6ad19d29, 0xfb1f}, // doubleyodpatahhebrew + {0x6b214948, 0xff6f}, // tusmallkatakanahalfwidth + {0x6b2d374c, 0xfcdd}, // yehmeeminitialarabic + {0x6b3f02ab, 0x211e}, // prescription + {0x6b58bab9, 0x0963}, // llvocalicvowelsigndeva + {0x6b83db74, 0x2295}, // circleplus + {0x6b85cd6e, 0x00a4}, // currency + {0x6b8b924f, 0x30d8}, // hekatakana + {0x6b8f0a54, 0xf6df}, // centinferior + {0x6b908b1b, 0x09e7}, // onebengali + {0x6b98f18c, 0x212b}, // angstrom + {0x6b9adcc4, 0x25cf}, // blackcircle + {0x6b9f4fbe, 0x0940}, // iivowelsigndeva + {0x6ba8c1e2, 0xf6ce}, // Grave + {0x6baa5ba4, 0x03ce}, // omegatonos + {0x6bb62dc9, 0xf77a}, // Zsmall + {0x6bbd76c8, 0x0936}, // shadeva + {0x6bca6ff5, 0xfe4a}, // overlinecenterline + {0x6bd59d12, 0x0915}, // kadeva + {0x6bd609d3, 0x00f0}, // eth + {0x6be13af7, 0x2199}, // arrowdownleft + {0x6bf10a81, 0x2015}, // horizontalbar + {0x6c0e37b1, 0x30ce}, // nokatakana + {0x6c0f6861, 0x05e7}, // qofhatafsegolhebrew + {0x6c11086e, 0x0a1c}, // jagurmukhi + {0x6c180b9f, 0x0462}, // Yatcyrillic + {0x6c23928a, 0x222e}, // contintegraltext + {0x6c429460, 0xfb40}, // nundageshhebrew + {0x6c5c9da6, 0x0457}, // yicyrillic + {0x6c781e8a, 0x25bd}, // whitedownpointingtriangle + {0x6c8584d5, 0x3065}, // duhiragana + {0x6c95b865, 0x0941}, // uvowelsigndeva + {0x6c98a67f, 0x0479}, // ukcyrillic + {0x6cbb9b7a, 0xfe5d}, // tortoiseshellbracketleftsmall + {0x6cce2d3d, 0x0aa5}, // thagujarati + {0x6cce7f58, 0x043b}, // elcyrillic + {0x6d02864a, 0x049c}, // Kaverticalstrokecyrillic + {0x6d1b554b, 0x0982}, // anusvarabengali + {0x6d3fc0d7, 0x040f}, // Dzhecyrillic + {0x6d4379b8, 0x220f}, // productdisplay + {0x6d519305, 0x2169}, // Tenroman + {0x6d63a915, 0x02bc}, // apostrophemod + {0x6d6c6ece, 0x307f}, // mihiragana + {0x6d794da3, 0x0057}, // W + {0x6d7a8d87, 0x00fd}, // yacute + {0x6d88930b, 0x044a}, // afii10092 + {0x6d89653d, 0x24e8}, // ycircle + {0x6d8f5cd4, 0xff95}, // yukatakanahalfwidth + {0x6d931b7f, 0x255c}, // SF270000 + {0x6d9b9c3e, 0x05dc}, // afii57676 + {0x6dd186b9, 0x0575}, // yiarmenian + {0x6ddcf118, 0x22a4}, // tackdown + {0x6ddd69da, 0x05b1}, // hatafsegolquarterhebrew + {0x6df68266, 0x0388}, // Epsilontonos + {0x6df8e451, 0x2203}, // existential + {0x6dfa6cea, 0x0a66}, // zerogurmukhi + {0x6dff449c, 0xff79}, // kekatakanahalfwidth + {0x6e298b2c, 0x3380}, // paampssquare + {0x6e2b4011, 0x2213}, // minusplus + {0x6e2e0a97, 0xfe66}, // equalsmall + {0x6e53b9b3, 0xfb00}, // ff + {0x6e5f0868, 0x30ed}, // rokatakana + {0x6e7cf223, 0x3071}, // pahiragana + {0x6e81816d, 0x1e5d}, // rdotbelowmacron + {0x6e897228, 0x0324}, // dieresisbelowcmb + {0x6e8ccbbb, 0xfb48}, // reshdageshhebrew + {0x6eb16a59, 0x2166}, // Sevenroman + {0x6eb40b0d, 0x04db}, // schwadieresiscyrillic + {0x6eba69ba, 0xfe9e}, // jeemfinalarabic + {0x6ebb53ea, 0x2261}, // equivalence + {0x6ecb4ba4, 0x0449}, // afii10091 + {0x6ecc1f68, 0x25bc}, // triagdn + {0x6ed918ed, 0xfcd1}, // meemmeeminitialarabic + {0x6ee27b35, 0x0321}, // hookpalatalizedbelowcmb + {0x6f028e08, 0x0571}, // jaarmenian + {0x6f1f2583, 0x25ce}, // bullseye + {0x6f2573bb, 0x30eb}, // rukatakana + {0x6f4833d3, 0x0a5c}, // rragurmukhi + {0x6f57587a, 0x227b}, // succeeds + {0x6f64edc9, 0x054f}, // Tiwnarmenian + {0x6f6b6e30, 0x0e0e}, // dochadathai + {0x6f75692f, 0x0ac8}, // aivowelsigngujarati + {0x6f7744aa, 0x2196}, // arrowupleft + {0x6fae2151, 0x0aef}, // ninegujarati + {0x6fbeef2a, 0x044d}, // ereversedcyrillic + {0x6fc01d9f, 0x00f8}, // oslash + {0x6fdfa2dc, 0xf6e7}, // periodinferior + {0x70068cb8, 0xf7ea}, // Ecircumflexsmall + {0x702ecc19, 0x3054}, // gohiragana + {0x70300d95, 0xf761}, // Asmall + {0x70534c83, 0x05a4}, // mahapakhlefthebrew + {0x7061d5ad, 0x255a}, // SF380000 + {0x707057b4, 0xfb2e}, // alefpatahhebrew + {0x7070c1c4, 0x0333}, // dbllowlinecmb + {0x7077f8df, 0x0163}, // tcommaaccent + {0x708cf64a, 0x0944}, // rrvocalicvowelsigndeva + {0x709b2bbe, 0x0056}, // V + {0x709b801f, 0x05da}, // finalkafshevahebrew + {0x70a0d365, 0xfeee}, // wawfinalarabic + {0x70a7b34b, 0x05b5}, // tsere12 + {0x70c1bcae, 0x1ede}, // Ohornhookabove + {0x70d74f05, 0x04b1}, // ustraightstrokecyrillic + {0x70d8442c, 0xff3c}, // backslashmonospace + {0x70e9d43c, 0x2202}, // partialdiff + {0x70f78dac, 0x24b5}, // zparen + {0x70f8a40d, 0x05b8}, // afii57797 + {0x71062567, 0xfeea}, // hehfinalalttwoarabic + {0x710fbfc8, 0x0179}, // Zacute + {0x712afb91, 0x310b}, // nbopomofo + {0x7138408a, 0x04cc}, // chekhakassiancyrillic + {0x71411a8f, 0x3156}, // yekorean + {0x7154079a, 0x1e50}, // Omacrongrave + {0x715a0e07, 0xfef4}, // alefmaksuramedialarabic + {0x715aaa7e, 0x0122}, // Gcommaaccent + {0x71693ad6, 0x0919}, // ngadeva + {0x718d2f07, 0xff16}, // sixmonospace + {0x71a4a95d, 0x1eaa}, // Acircumflextilde + {0x71b12b2f, 0x01e0}, // Adotmacron + {0x71b2c74d, 0x00b7}, // periodcentered + {0x71b2e09c, 0x0e32}, // saraaathai + {0x71e104c6, 0x3041}, // asmallhiragana + {0x71ebf117, 0x0640}, // afii57440 + {0x7222af0c, 0x25cb}, // circle + {0x722d9aa3, 0x2153}, // onethird + {0x72446324, 0x3164}, // hangulfiller + {0x7256dcb9, 0x0ac2}, // uuvowelsigngujarati + {0x725da2a5, 0x0548}, // Voarmenian + {0x7274464b, 0x0e31}, // maihanakatthai + {0x7276cdf0, 0x02d7}, // minusmod + {0x7278753d, 0x04d7}, // iebrevecyrillic + {0x728cf068, 0x020f}, // oinvertedbreve + {0x728f761b, 0x3111}, // qbopomofo + {0x72ad941b, 0xf733}, // threeoldstyle + {0x72b3c6a8, 0x00b4}, // acute + {0x72ba7ff6, 0x3093}, // nhiragana + {0x72c6f1c4, 0xff5c}, // barmonospace + {0x72c8f209, 0x0136}, // Kcommaaccent + {0x72e33f41, 0x0419}, // afii10027 + {0x72f1f5cf, 0x0438}, // iicyrillic + {0x72fc7974, 0x2111}, // Ifraktur + {0x72fd959a, 0x002a}, // asterisk + {0x73032cb1, 0x3268}, // cieuccirclekorean + {0x731486cf, 0xf6e1}, // commainferior + {0x731a7d35, 0xf6fb}, // Ogoneksmall + {0x731be3b3, 0x3140}, // rieulhieuhkorean + {0x73200dbd, 0x0e20}, // phosamphaothai + {0x7322d42e, 0x24b9}, // Dcircle + {0x73282fcd, 0x1ee3}, // ohorndotbelow + {0x732cf2ca, 0x2485}, // eighteenparen + {0x7338db3a, 0x066b}, // decimalseparatorarabic + {0x73392eb6, 0x1ed4}, // Ocircumflexhookabove + {0x733b0480, 0xfe94}, // tehmarbutafinalarabic + {0x734f6c6b, 0x3090}, // wihiragana + {0x7375cb46, 0x0686}, // tcheharabic + {0x73843708, 0x0434}, // decyrillic + {0x7387f092, 0x2088}, // eightinferior + {0x73b2bbd4, 0xfe63}, // hyphensmall + {0x73b70a88, 0x05d8}, // afii57672 + {0x73b7c451, 0x095a}, // ghhadeva + {0x73c3073f, 0xf6ee}, // lsuperior + {0x73c5e60b, 0x004e}, // N + {0x73e1033a, 0x22b4}, // a2 + {0x73e5498e, 0xf7fd}, // Yacutesmall + {0x73ee6902, 0x0965}, // dbldanda + {0x73f5578c, 0x093f}, // ivowelsigndeva + {0x74030714, 0x311c}, // ebopomofo + {0x7411ab47, 0x00ba}, // ordmasculine + {0x74144417, 0x311e}, // aibopomofo + {0x74157df0, 0x0667}, // sevenhackarabic + {0x741e8130, 0x00cf}, // Idieresis + {0x7435abfe, 0x057c}, // raarmenian + {0x743d1e25, 0x0456}, // afii10103 + {0x745c44bf, 0x02e3}, // xsuperior + {0x746e784f, 0xff48}, // hmonospace + {0x7476bb3d, 0x21d2}, // dblarrowright + {0x74814589, 0x05b9}, // holam19 + {0x748db30c, 0x33b1}, // nssquare + {0x7495de6c, 0x0008}, // controlBS + {0x74a2fb64, 0x2280}, // notprecedes + {0x74abeab2, 0x05ac}, // iluyhebrew + {0x74b1cbfb, 0x22c5}, // dotmath + {0x74caf1a5, 0x01b4}, // yhook + {0x74d74b92, 0x2209}, // notelement + {0x74f1fca9, 0x01db}, // Udieresisgrave + {0x7506e8c8, 0x24d1}, // bcircle + {0x751253a5, 0x2168}, // Nineroman + {0x7542c0c4, 0xf8e8}, // registersans + {0x7544678b, 0x307d}, // pohiragana + {0x754982de, 0x06a4}, // veharabic + {0x755a250b, 0x09dd}, // rhabengali + {0x755f707c, 0x1ebf}, // ecircumflexacute + {0x75811646, 0xf6e9}, // asuperior + {0x75841530, 0x2002}, // enspace + {0x75907eb0, 0x322c}, // ideographicwaterparen + {0x759ddc3d, 0x3068}, // tohiragana + {0x759f9daf, 0x00c4}, // Adieresis + {0x75aa325f, 0x3047}, // esmallhiragana + {0x75b73269, 0x27e9}, // angbracketrightbig + {0x75b9e64d, 0xff46}, // fmonospace + {0x75bf74c1, 0x0a59}, // khhagurmukhi + {0x75f4d85d, 0x0a2c}, // bagurmukhi + {0x7603459c, 0x094c}, // auvowelsigndeva + {0x760d83de, 0x222b}, // integral + {0x7612320f, 0x3273}, // pieupacirclekorean + {0x76186d8e, 0x01f3}, // dz + {0x7619aedc, 0xfb4c}, // betrafehebrew + {0x762dd6ce, 0x2260}, // notequal + {0x763e1836, 0x30c4}, // tukatakana + {0x7656c681, 0x01c4}, // DZcaron + {0x767695a3, 0xfed4}, // fehmedialarabic + {0x76811ae6, 0x0169}, // utilde + {0x7681e1d4, 0xfe9b}, // thehinitialarabic + {0x76a40aac, 0x001e}, // controlRS + {0x76a57fc1, 0x0117}, // edot + {0x76aa35a2, 0x1e27}, // hdieresis + {0x76abdb93, 0xfb41}, // samekhdageshhebrew + {0x76af2566, 0x05c1}, // afii57804 + {0x76b279b9, 0x1e76}, // Ucircumflexbelow + {0x76be5e67, 0x0389}, // Etatonos + {0x76e8986c, 0x27e9}, // angbracketrightBigg + {0x76ec167e, 0x3128}, // ubopomofo + {0x76ee8ef9, 0x326a}, // khieukhcirclekorean + {0x76fa92ba, 0x2225}, // parallel + {0x7722080a, 0x21e2}, // arrowdashright + {0x772d6b37, 0x3294}, // ideographnamecircle + {0x774eb078, 0x0328}, // ogonekcmb + {0x774fe771, 0x064d}, // kasratanarabic + {0x7752bcc4, 0xf8f6}, // parenrighttp + {0x775a46a9, 0xffe0}, // centmonospace + {0x77617e4f, 0xf762}, // Bsmall + {0x77651620, 0x007b}, // braceleft + {0x776629fd, 0x044a}, // hardsigncyrillic + {0x7766a0eb, 0x041e}, // Ocyrillic + {0x776cd4d6, 0x1e89}, // wdotbelow + {0x77741a8d, 0x0473}, // fitacyrillic + {0x7782c966, 0x1e46}, // Ndotbelow + {0x7786e0a6, 0x246f}, // sixteencircle + {0x779ce17f, 0x0390}, // iotadieresistonos + {0x77a6f721, 0x2165}, // Sixroman + {0x77aefb3f, 0x3027}, // sevenhangzhou + {0x77b3e914, 0x3106}, // pbopomofo + {0x77d27346, 0x0110}, // Dcroat + {0x77e1d263, 0x0442}, // tecyrillic + {0x77ee824a, 0xfba7}, // hehfinalaltonearabic + {0x77f415ae, 0x03eb}, // gangiacoptic + {0x77f608a5, 0x00ec}, // igrave + {0x78075c57, 0x007d}, // bracerightBig + {0x78151b28, 0x04f8}, // Yerudieresiscyrillic + {0x781b1710, 0x3175}, // pieupsiostikeutkorean + {0x782f5323, 0x2297}, // circlemultiply + {0x783bb2b4, 0xfeea}, // hehfinalarabic + {0x7849decd, 0x05f0}, // vavvavhebrew + {0x7865471d, 0x30f8}, // vikatakana + {0x7868522a, 0x0172}, // Uogonek + {0x78728968, 0x0e3f}, // bahtthai + {0x7877a9ea, 0x05d9}, // yodhebrew + {0x7878b2f0, 0x323c}, // ideographicsuperviseparen + {0x788e7d3e, 0x05b3}, // hatafqamats + {0x78965447, 0x0593}, // shalshelethebrew + {0x78a67a97, 0xf8ea}, // trademarksans + {0x78d4db12, 0x032e}, // brevebelowcmb + {0x78da6d23, 0x046e}, // Ksicyrillic + {0x78f4df25, 0x04d9}, // schwacyrillic + {0x79042ee6, 0x30e9}, // rakatakana + {0x79116479, 0x0039}, // nine + {0x7919f419, 0x0416}, // afii10024 + {0x792d6db9, 0x0272}, // nhookleft + {0x793801c3, 0x3158}, // wakorean + {0x79577113, 0x2565}, // SF480000 + {0x795917d1, 0x0583}, // piwrarmenian + {0x79638654, 0x1ecd}, // odotbelow + {0x796eb2f8, 0x3389}, // kcalsquare + {0x796edb96, 0x0387}, // anoteleia + {0x797aa124, 0x0445}, // khacyrillic + {0x7980bc25, 0x00c5}, // Aring + {0x7987b173, 0x03e8}, // Horicoptic + {0x79961e28, 0x20a7}, // peseta + {0x79c6a044, 0xfe3a}, // tortoiseshellbracketrightvertical + {0x79d35b17, 0x3229}, // tenideographicparen + {0x79dfa961, 0xfb2d}, // shindageshsindot + {0x79e5e3c1, 0x0e2f}, // paiyannoithai + {0x79fc5691, 0x24ce}, // Ycircle + {0x7a196523, 0x0451}, // afii10071 + {0x7a29214e, 0x006c}, // l + {0x7a32a546, 0x202d}, // afii61574 + {0x7a3f45e9, 0x0ab8}, // sagujarati + {0x7a49bde9, 0xfca4}, // tehmeeminitialarabic + {0x7a49dc21, 0xfee2}, // meemfinalarabic + {0x7a56cace, 0x33a1}, // squaremsquared + {0x7a6cfa6a, 0x0a3f}, // imatragurmukhi + {0x7a75be4d, 0x2559}, // SF490000 + {0x7a8736f8, 0x320c}, // phieuphparenkorean + {0x7aa071da, 0x0217}, // uinvertedbreve + {0x7aa95d24, 0xfb34}, // hedageshhebrew + {0x7aac463a, 0x0669}, // afii57401 + {0x7ab8ba14, 0x1ebe}, // Ecircumflexacute + {0x7ad78099, 0x05b5}, // afii57794 + {0x7b074f4f, 0x062c}, // jeemarabic + {0x7b0aca00, 0x3315}, // kiroguramusquare + {0x7b3db32a, 0x221a}, // radicalBig + {0x7b443626, 0x3331}, // birusquare + {0x7b5e0418, 0xff10}, // zeromonospace + {0x7b7b9d4d, 0x0424}, // afii10038 + {0x7b7fbb65, 0xf7b8}, // Cedillasmall + {0x7b80aee5, 0x05bb}, // qubutsquarterhebrew + {0x7b8c3862, 0x02b8}, // ysuperior + {0x7bac8f33, 0x0016}, // controlSYN + {0x7bc269dd, 0x0040}, // at + {0x7bd5ca88, 0x33ca}, // hasquare + {0x7bd8b82b, 0x3005}, // ideographiciterationmark + {0x7c301325, 0x0472}, // Fitacyrillic + {0x7c35d223, 0x05dc}, // lamedholam + {0x7c3e1570, 0x0028}, // parenleftbigg + {0x7c3f4566, 0x00e7}, // ccedilla + {0x7c4777ca, 0xfcc9}, // lamjeeminitialarabic + {0x7c4f7ece, 0x0ab2}, // lagujarati + {0x7c53c130, 0x0a13}, // oogurmukhi + {0x7c613499, 0x2566}, // SF410000 + {0x7c8ffdc8, 0x24e7}, // xcircle + {0x7c903e9b, 0x1ec7}, // ecircumflexdotbelow + {0x7cb539e8, 0x096e}, // eightdeva + {0x7cc006ef, 0x222c}, // dblintegral + {0x7cdf3e4a, 0x0a2f}, // yagurmukhi + {0x7cf2e5f4, 0x0029}, // parenright + {0x7cf2ebbd, 0xff96}, // yokatakanahalfwidth + {0x7cf8ce2e, 0x3394}, // thzsquare + {0x7d1ff070, 0xf896}, // thanthakhatupperleftthai + {0x7d32ca29, 0x0127}, // hbar + {0x7d44a576, 0x24b1}, // vparen + {0x7d4ddd33, 0x2554}, // SF390000 + {0x7d86a046, 0xff93}, // mokatakanahalfwidth + {0x7d8bc7c0, 0x255f}, // SF370000 + {0x7d981506, 0x0a9f}, // ttagujarati + {0x7dc79678, 0x062a}, // afii57418 + {0x7dc79708, 0x223c}, // tildeoperator + {0x7dc7cd45, 0x33b6}, // muvsquare + {0x7dcf75fb, 0x223c}, // similar + {0x7dd21a95, 0x30b5}, // sakatakana + {0x7dd63b6c, 0x1ec1}, // ecircumflexgrave + {0x7de5edf4, 0x05b9}, // afii57806 + {0x7df90cb9, 0x249c}, // aparen + {0x7e46df3d, 0x30d7}, // pukatakana + {0x7e4f805e, 0x3067}, // dehiragana + {0x7e5c9fda, 0x042f}, // IAcyrillic + {0x7e60a480, 0x0029}, // parenrightbigg + {0x7e701b6d, 0xff0d}, // hyphenmonospace + {0x7e739224, 0x3046}, // uhiragana + {0x7e7d09ba, 0xf6e4}, // dollarsuperior + {0x7e947543, 0xf773}, // Ssmall + {0x7ebf5260, 0x0031}, // one + {0x7eddac19, 0x09f4}, // onenumeratorbengali + {0x7eefb1cf, 0x05d3}, // daletshevahebrew + {0x7f0a4f83, 0x0631}, // rehyehaleflamarabic + {0x7f43cdd7, 0x0ab0}, // ragujarati + {0x7f56c599, 0x0141}, // Lslash + {0x7f5b3579, 0x1e74}, // Utildebelow + {0x7f630a55, 0x1ef9}, // ytilde + {0x7f7aa31e, 0x0648}, // afii57448 + {0x7f82e2ff, 0x098f}, // ebengali + {0x7f851974, 0x0568}, // etarmenian + {0x7f92fe37, 0x066d}, // asteriskarabic + {0x7f97f320, 0x301c}, // wavedash + {0x7f99701f, 0xfb2a}, // shinshindothebrew + {0x7fad7e30, 0xf737}, // sevenoldstyle + {0x7fbd4335, 0x2309}, // ceilingrightbig + {0x7ff2087d, 0x01df}, // adieresismacron + {0x7ffdad4c, 0x326e}, // kiyeokacirclekorean + {0x801f311e, 0x1ebb}, // ehookabove + {0x8020003f, 0x05e9}, // shinhebrew + {0x8027a085, 0x03d2}, // Upsilonhooksymbol + {0x8029e67d, 0x049b}, // kadescendercyrillic + {0x803a882f, 0x0a8b}, // rvocalicgujarati + {0x80417827, 0x33a9}, // pasquare + {0x80461d8b, 0xf6c7}, // afii10831 + {0x8048e51c, 0x24e6}, // wcircle + {0x80690312, 0x0155}, // racute + {0x8076b638, 0xfedf}, // laminitialarabic + {0x80792dfa, 0x0478}, // Ukcyrillic + {0x807bd424, 0xf886}, // saraiileftthai + {0x8082c40e, 0x251c}, // SF080000 + {0x8086d5c5, 0x0490}, // afii10050 + {0x80890e42, 0x0316}, // gravebelowcmb + {0x808de596, 0x2492}, // elevenperiod + {0x808eef1b, 0x0068}, // h + {0x80b21ab0, 0x00f5}, // otilde + {0x80b54bce, 0x3170}, // mieumpansioskorean + {0x80c36a57, 0x0480}, // Koppacyrillic + {0x80f8e4b8, 0x017f}, // slong + {0x80fb86d5, 0x00ff}, // ydieresis + {0x810ea19f, 0x02bd}, // afii64937 + {0x810f1d5a, 0x30c6}, // tekatakana + {0x812767fa, 0x0555}, // Oharmenian + {0x8140027d, 0x24d3}, // dcircle + {0x815134d6, 0x00cd}, // Iacute + {0x81589a47, 0x2220}, // angle + {0x816211ee, 0x05dc}, // lamedholamdageshhebrew + {0x81658581, 0x0207}, // einvertedbreve + {0x816871c9, 0x1ec2}, // Ecircumflexhookabove + {0x8169da43, 0x0483}, // titlocyrilliccmb + {0x8170d563, 0x256b}, // SF530000 + {0x81796466, 0xf6f2}, // ssuperior + {0x817f112a, 0x1e37}, // ldotbelow + {0x817f9471, 0x1e92}, // Zdotbelow + {0x81806da2, 0x328d}, // ideographwoodcircle + {0x8184073f, 0x053b}, // Iniarmenian + {0x818aac3d, 0x3165}, // ssangnieunkorean + {0x81b94a51, 0x3233}, // ideographicsocietyparen + {0x81e18c26, 0x30c3}, // tusmallkatakana + {0x81eec5b0, 0x320e}, // kiyeokaparenkorean + {0x8215ea5e, 0x02b2}, // jsuperior + {0x82173176, 0x05d9}, // afii57673 + {0x8218cc3e, 0x039c}, // Mu + {0x822cf82c, 0x3070}, // bahiragana + {0x8230e7a0, 0x32a7}, // ideographicleftcircle + {0x823da9d2, 0x0413}, // afii10020 + {0x825a2038, 0x3045}, // usmallhiragana + {0x8260fa87, 0x1ea5}, // acircumflexacute + {0x8272e0b5, 0x249b}, // twentyperiod + {0x827d6960, 0xff40}, // gravemonospace + {0x828072a0, 0x2666}, // diamond + {0x8281c05a, 0x00b5}, // mu1 + {0x8291bd7d, 0x248e}, // sevenperiod + {0x82ab3b91, 0x03a3}, // Sigma + {0x82b182a5, 0x057e}, // vewarmenian + {0x82b58e6a, 0x1e94}, // Zlinebelow + {0x82b5e1a0, 0x266b}, // eighthnotebeamed + {0x82b5fc2f, 0x05bc}, // afii57807 + {0x82c39f59, 0x1e62}, // Sdotbelow + {0x82c3da09, 0x0a1a}, // cagurmukhi + {0x82d03f46, 0x056e}, // caarmenian + {0x82d4758a, 0x25e6}, // whitebullet + {0x82db51c1, 0x05b6}, // segolnarrowhebrew + {0x82dffbf3, 0xfe9c}, // thehmedialarabic + {0x8322270c, 0x1e49}, // nlinebelow + {0x832d9a03, 0x263b}, // invsmileface + {0x83393d74, 0xfef7}, // lamalefhamzaaboveisolatedarabic + {0x83589346, 0x1eb0}, // Abrevegrave + {0x836fd101, 0x25c7}, // a51 + {0x83736e7a, 0x2308}, // ceilingleftBig + {0x837601e2, 0x0ae7}, // onegujarati + {0x8377c3f2, 0x026b}, // lmiddletilde + {0x837a2830, 0x2113}, // lsquare + {0x837c1552, 0x2172}, // threeroman + {0x8388f2be, 0x00c9}, // Eacute + {0x83a89a03, 0x045f}, // dzhecyrillic + {0x83aeaef2, 0x1e23}, // hdotaccent + {0x83c5c486, 0x05e7}, // afii57687 + {0x83cd4320, 0x0565}, // echarmenian + {0x83e3c3a4, 0x3075}, // huhiragana + {0x83f86a79, 0x339e}, // squarekm + {0x83fc4077, 0x0037}, // seven + {0x83fe9093, 0x0441}, // escyrillic + {0x840c8507, 0x0313}, // commaabovecmb + {0x8411d0c3, 0x1e3e}, // Macute + {0x84132896, 0x0140}, // ldot + {0x841d72ff, 0x02e4}, // glottalstopreversedsuperior + {0x841d9ceb, 0x0572}, // ghadarmenian + {0x8424a64d, 0x05b5}, // tserewidehebrew + {0x843c7aca, 0x323f}, // ideographicallianceparen + {0x8445bb28, 0x0905}, // adeva + {0x8459e5f4, 0x2248}, // approxequal + {0x84776c26, 0x329d}, // ideographicexcellentcircle + {0x847d9b8a, 0x1ec5}, // ecircumflextilde + {0x847ed2d4, 0x0540}, // Hoarmenian + {0x8487ed37, 0x0621}, // hamzaarabic + {0x848baa07, 0xfc5f}, // shaddakasratanarabic + {0x8494dfda, 0x05b1}, // hatafsegol24 + {0x8498dbae, 0xfe86}, // wawhamzaabovefinalarabic + {0x849b0297, 0x1e2e}, // Idieresisacute + {0x84a67fee, 0x323a}, // ideographiccallparen + {0x84b1d089, 0x0430}, // acyrillic + {0x84de35f4, 0x0210}, // Rdblgrave + {0x84e0b580, 0x04ef}, // umacroncyrillic + {0x8501599a, 0x30f6}, // kesmallkatakana + {0x85103d59, 0xfb39}, // yoddagesh + {0x851a3968, 0xf6da}, // registerserif + {0x853a4f53, 0x217b}, // twelveroman + {0x855c805d, 0xff1a}, // colonmonospace + {0x856013c8, 0x248a}, // threeperiod + {0x8567c154, 0x01bc}, // Tonefive + {0x856bfeb5, 0x0029}, // parenrightBigg + {0x85a6c8bc, 0x310a}, // tbopomofo + {0x85b41716, 0x201a}, // quotesinglbase + {0x85b6b018, 0x2228}, // logicalor + {0x85c83eb6, 0xff77}, // kikatakanahalfwidth + {0x85cde6eb, 0xf8e7}, // arrowhorizex + {0x85ce16f4, 0x05da}, // afii57674 + {0x85e92466, 0x2282}, // propersubset + {0x85ee23d7, 0x311b}, // obopomofo + {0x85f325ac, 0x064c}, // dammatanaltonearabic + {0x85f47ad1, 0x0660}, // zerohackarabic + {0x85f89b18, 0x3049}, // osmallhiragana + {0x86129c18, 0x2209}, // notelementof + {0x861e8048, 0xff54}, // tmonospace + {0x861ef200, 0x1e75}, // utildebelow + {0x864008ae, 0x05d3}, // daletqubutshebrew + {0x8654695b, 0x0020}, // spacehackarabic + {0x865c7659, 0x0312}, // commaturnedabovecmb + {0x8665f7ab, 0x201b}, // quotereversed + {0x8686768e, 0x093e}, // aavowelsigndeva + {0x8694e2ae, 0x3132}, // ssangkiyeokkorean + {0x8699e716, 0x09ef}, // ninebengali + {0x869fef4c, 0x064b}, // afii57451 + {0x86a662d1, 0x05e7}, // qofhebrew + {0x86a80595, 0x0535}, // Echarmenian + {0x86c2d4a4, 0x01ef}, // ezhcaron + {0x86d0b880, 0x01c7}, // LJ + {0x86d66230, 0x04ad}, // tedescendercyrillic + {0x86e222a0, 0x05d9}, // yod + {0x86eea6f9, 0x03a4}, // Tau + {0x870315b6, 0x30e1}, // mekatakana + {0x8713ac2f, 0xfb4b}, // vavholam + {0x87634c8c, 0x05bd}, // siluqhebrew + {0x877afbbb, 0xfb35}, // afii57723 + {0x877f7c7a, 0xfeb4}, // seenmedialarabic + {0x8787b92b, 0x02c0}, // glottalstopmod + {0x87a041c7, 0x0446}, // afii10088 + {0x87a4b30d, 0x263c}, // compass + {0x87b6c8ba, 0x00c3}, // Atilde + {0x87bb7ac5, 0x020b}, // iinvertedbreve + {0x87e03b4f, 0x0642}, // afii57442 + {0x87e97d46, 0x04dd}, // zhedieresiscyrillic + {0x87ef58ab, 0xfe30}, // twodotleadervertical + {0x87fc47e5, 0x24d2}, // ccircle + {0x88044bf5, 0x2167}, // Eightroman + {0x880a9911, 0x1e34}, // Klinebelow + {0x881905a5, 0x0e22}, // yoyakthai + {0x881a4ba0, 0x0931}, // rradeva + {0x88264250, 0x1e71}, // tcircumflexbelow + {0x8826a561, 0x03cd}, // upsilontonos + {0x883bae04, 0x248c}, // fiveperiod + {0x8841d986, 0x30b8}, // zikatakana + {0x8853f322, 0x339b}, // mumsquare + {0x885dcb80, 0x00a7}, // section + {0x886c5d13, 0x0636}, // dadarabic + {0x8876a700, 0x1e98}, // wring + {0x888833ba, 0x02e7}, // tonebarmidmod + {0x888e1142, 0x026d}, // lhookretroflex + {0x88a12621, 0x05d4}, // afii57668 + {0x88b6884b, 0x06f7}, // sevenpersian + {0x88c2fc70, 0x0a6a}, // fourgurmukhi + {0x88c96d26, 0xfb4a}, // tavdages + {0x88cc32a3, 0x1ef6}, // Yhookabove + {0x88da326f, 0x0546}, // Nowarmenian + {0x88e4df33, 0x1e1b}, // etildebelow + {0x88e6eee8, 0x3119}, // sbopomofo + {0x88ea0124, 0x0949}, // ocandravowelsigndeva + {0x88ea9631, 0xf7af}, // Macronsmall + {0x88f38eed, 0x21d0}, // arrowdblleft + {0x88f62270, 0x314f}, // akorean + {0x88fdc1bb, 0x308e}, // wasmallhiragana + {0x88fdcf2e, 0x039e}, // Xi + {0x89098ea4, 0x2211}, // summationdisplay + {0x893a8f13, 0x09b9}, // habengali + {0x89468742, 0x0e1f}, // fofanthai + {0x897340ea, 0x3207}, // ieungparenkorean + {0x897854cd, 0x060c}, // afii57388 + {0x897adc4f, 0x0128}, // Itilde + {0x89aa67b7, 0x2161}, // Tworoman + {0x89ace505, 0xff06}, // ampersandmonospace + {0x89d8daae, 0x25c9}, // fisheye + {0x89e05206, 0x0022}, // quotedbl + {0x89e2c74b, 0x062d}, // afii57421 + {0x89ed1e17, 0x3171}, // kapyeounmieumkorean + {0x89f4c981, 0x02dc}, // tilde + {0x89f7042b, 0xfe38}, // bracerightvertical + {0x89fc7dc4, 0x05bf}, // rafehebrew + {0x8a1958e1, 0x03d1}, // theta1 + {0x8a27f623, 0x030e}, // dblverticallineabovecmb + {0x8a36e0e0, 0x0a89}, // ugujarati + {0x8a64ee32, 0x23a2}, // bracketleftex + {0x8a743e71, 0x3279}, // thieuthacirclekorean + {0x8a7ff438, 0x0632}, // zainarabic + {0x8ab11ede, 0x0907}, // ideva + {0x8ab50af4, 0xfedb}, // kafinitialarabic + {0x8ac9c3df, 0x00cb}, // Edieresis + {0x8ad52e55, 0x05d3}, // dalethatafsegolhebrew + {0x8ae82e18, 0x05c2}, // sindothebrew + {0x8aebef01, 0x064f}, // afii57455 + {0x8af00e69, 0x3396}, // mlsquare + {0x8af0299d, 0x2465}, // sixcircle + {0x8af3a8ba, 0x1e55}, // pacute + {0x8afdb385, 0x05b2}, // hatafpatahnarrowhebrew + {0x8b04e879, 0x0573}, // cheharmenian + {0x8b2ea84b, 0x045f}, // afii10193 + {0x8b336b03, 0x33c3}, // bqsquare + {0x8b3d9ff3, 0x313a}, // rieulkiyeokkorean + {0x8b46ba2c, 0x1e10}, // Dcedilla + {0x8b5fbe71, 0x0209}, // idblgrave + {0x8b6e36e5, 0x0001}, // controlSTX + {0x8b91eefb, 0x0135}, // jcircumflex + {0x8ba07e30, 0x3236}, // ideographicfinancialparen + {0x8ba61ca6, 0x0170}, // Udblacute + {0x8bb0c7c5, 0x04a4}, // Enghecyrillic + {0x8bb9fe95, 0x1e35}, // klinebelow + {0x8bc6e552, 0x027a}, // rlonglegturned + {0x8bd60707, 0x33ce}, // squarekmcapital + {0x8bdd4dfa, 0x05a1}, // pazerhebrew + {0x8be0aeeb, 0x1e28}, // Hcedilla + {0x8bf3f9ec, 0x0aed}, // sevengujarati + {0x8bfc7ed2, 0x02e9}, // tonebarextralowmod + {0x8c09cf1f, 0x0251}, // ascript + {0x8c169f16, 0x0a4c}, // aumatragurmukhi + {0x8c1a91ec, 0x1ed2}, // Ocircumflexgrave + {0x8c21575a, 0x2175}, // sixroman + {0x8c31d770, 0x007d}, // bracerightBigg + {0x8c382c45, 0xf6c5}, // afii10064 + {0x8c3dc32f, 0x0632}, // afii57426 + {0x8c5fd3c7, 0x05dd}, // afii57677 + {0x8c6ceb51, 0xeb61}, // suppress + {0x8c7614fd, 0x0046}, // F + {0x8c789c98, 0x0255}, // ccurl + {0x8c7eba77, 0x3114}, // chbopomofo + {0x8c941f03, 0x0639}, // afii57433 + {0x8c9c3f66, 0x0e37}, // saraueethai + {0x8c9d6579, 0x2308}, // ceilingleftBigg + {0x8cb6cb59, 0xfb6c}, // vehinitialarabic + {0x8cbe2a76, 0x0951}, // udattadeva + {0x8cc838c1, 0x099f}, // ttabengali + {0x8ccab94e, 0x311d}, // ehbopomofo + {0x8cd2ceac, 0x322f}, // ideographicearthparen + {0x8cd87862, 0x2a01}, // circleplusdisplay + {0x8cdd7a5e, 0xfefb}, // lamalefisolatedarabic + {0x8cfeaaad, 0x04b4}, // Tetsecyrillic + {0x8d0e3bcc, 0x0162}, // Tcommaaccent + {0x8d15f0f9, 0x01d8}, // udieresisacute + {0x8d17055f, 0xff23}, // Cmonospace + {0x8d2183aa, 0x00ee}, // icircumflex + {0x8d24b8c2, 0x0457}, // afii10104 + {0x8d262f6a, 0x33ad}, // radsquare + {0x8d3bc051, 0x1eb1}, // abrevegrave + {0x8d430411, 0x0288}, // tretroflexhook + {0x8d4c7b99, 0x0473}, // afii10195 + {0x8d557bba, 0xfe98}, // tehmedialarabic + {0x8d5ae6d4, 0x0440}, // ercyrillic + {0x8d62c566, 0x21e0}, // arrowdashleft + {0x8d7f2614, 0x2164}, // Fiveroman + {0x8d983a6e, 0x22b5}, // a4 + {0x8db3e76c, 0x1e97}, // tdieresis + {0x8dbd6f57, 0xffe1}, // sterlingmonospace + {0x8dc41abc, 0x1e33}, // kdotbelow + {0x8de51633, 0x1ed7}, // ocircumflextilde + {0x8df7afeb, 0x0968}, // twodeva + {0x8e0d9fbd, 0x0337}, // solidusshortoverlaycmb + {0x8e2538f6, 0x0420}, // Ercyrillic + {0x8e325301, 0x0133}, // ij + {0x8e3386c6, 0x0439}, // iishortcyrillic + {0x8e360b54, 0x027d}, // rhook + {0x8e38f2c0, 0x005d}, // bracketrightbig + {0x8e40b292, 0x01fb}, // aringacute + {0x8e467ab5, 0x1ecc}, // Odotbelow + {0x8e474342, 0x1e2a}, // Hbrevebelow + {0x8e5ae93f, 0x0909}, // udeva + {0x8e5f575a, 0x0458}, // jecyrillic + {0x8e5f7ac5, 0x01d2}, // ocaron + {0x8e6f5aa1, 0x3074}, // pihiragana + {0x8e757f60, 0x308a}, // rihiragana + {0x8e7aa1b5, 0x207c}, // equalsuperior + {0x8e8e0711, 0x042f}, // afii10049 + {0x8e91af6c, 0x3000}, // ideographicspace + {0x8ec625f1, 0x2304}, // a43 + {0x8ec9ea4f, 0xfb40}, // nundagesh + {0x8eca9ee8, 0x045c}, // kjecyrillic + {0x8ed1765d, 0xff36}, // Vmonospace + {0x8ed539a2, 0x278a}, // onecircleinversesansserif + {0x8f084bdd, 0x3204}, // mieumparenkorean + {0x8f19bc84, 0x0e4a}, // maitrithai + {0x8f289d06, 0x0444}, // efcyrillic + {0x8f28eae1, 0x013f}, // Ldotaccent + {0x8f3d926c, 0xf7e2}, // Acircumflexsmall + {0x8f4b9c51, 0x0404}, // afii10053 + {0x8f505863, 0x04f2}, // Uhungarumlautcyrillic + {0x8f52df2f, 0x0256}, // dtail + {0x8f5e284f, 0xfed6}, // qaffinalarabic + {0x8f760fbe, 0x25e5}, // blackupperrighttriangle + {0x8f7f3f67, 0x0645}, // afii57445 + {0x8f89b56f, 0x05b8}, // qamatsqatanhebrew + {0x8f9b61ad, 0x22c0}, // logicalanddisplay + {0x8fa69b6c, 0x0331}, // macronbelowcmb + {0x8fbba331, 0x0205}, // edblgrave + {0x8fc968d8, 0x01b9}, // ezhreversed + {0x8fce94ba, 0x0395}, // Epsilon + {0x8fd18473, 0x2593}, // shadedark + {0x8fe2c390, 0x0e53}, // threethai + {0x8fe329b9, 0x266c}, // beamedsixteenthnotes + {0x8fe85541, 0x0637}, // afii57431 + {0x8ff897b6, 0x0042}, // B + {0x900e8281, 0x1e3b}, // llinebelow + {0x900fb5c0, 0x0144}, // nacute + {0x902443c2, 0xfe52}, // periodsmall + {0x9024a760, 0x029d}, // jcrossedtail + {0x90307534, 0x3059}, // suhiragana + {0x9059f738, 0x00b7}, // middot + {0x906746a4, 0xff75}, // okatakanahalfwidth + {0x907d968c, 0x0a9b}, // chagujarati + {0x90872973, 0x0538}, // Etarmenian + {0x9098fbd4, 0x0002}, // controlSOT + {0x90995fc1, 0x1e09}, // ccedillaacute + {0x90a162b6, 0x05b4}, // hiriqwidehebrew + {0x90b86ad8, 0x30dd}, // pokatakana + {0x90b9c076, 0xff0f}, // slashmonospace + {0x90c2be85, 0x0268}, // istroke + {0x90d8e15f, 0xf6e8}, // periodsuperior + {0x91032be8, 0x02c6}, // hatwide + {0x910a1b16, 0x03f1}, // rhosymbolgreek + {0x91306ea5, 0x2127}, // a48 + {0x9132f814, 0xff22}, // Bmonospace + {0x9134ebbc, 0x01cb}, // Nj + {0x913ff5ff, 0x3125}, // engbopomofo + {0x9141d43c, 0x2126}, // Ohm + {0x914548fb, 0xf7f9}, // Ugravesmall + {0x914ce494, 0x05e6}, // afii57686 + {0x9166eec8, 0x33ba}, // pwsquare + {0x916cdeb8, 0xfed2}, // fehfinalarabic + {0x917f2f3f, 0x0438}, // afii10074 + {0x9181b388, 0x01eb}, // oogonek + {0x9184e24f, 0x30ab}, // kakatakana + {0x919c9ad4, 0xf898}, // thanthakhatlowleftthai + {0x919f5679, 0x00ca}, // Ecircumflex + {0x91acc220, 0xff91}, // mukatakanahalfwidth + {0x91accd4b, 0x0937}, // ssadeva + {0x91c3e17e, 0x05f2}, // afii57718 + {0x91d99037, 0x1eb9}, // edotbelow + {0x91de3939, 0x064f}, // dammalowarabic + {0x91e65480, 0x0abf}, // ivowelsigngujarati + {0x91ea8b93, 0x2303}, // a42 + {0x91eaac20, 0x3214}, // siosaparenkorean + {0x920233a7, 0xf6de}, // threequartersemdash + {0x920dae79, 0x039f}, // Omicron + {0x9215b042, 0x3147}, // ieungkorean + {0x9220d7f0, 0xff69}, // usmallkatakanahalfwidth + {0x923767e3, 0x3133}, // kiyeoksioskorean + {0x9239e7fb, 0x062b}, // theharabic + {0x923bf3d0, 0x0330}, // tildebelowcmb + {0x926b691e, 0x0100}, // Amacron + {0x92aa52d3, 0x30fb}, // dotkatakana + {0x92e2ffd9, 0x21e8}, // arrowrightwhite + {0x92e50e35, 0xf88e}, // maitholowrightthai + {0x92f283dc, 0x25d8}, // bulletinverse + {0x92f96dbe, 0x1e56}, // Pdotaccent + {0x930724f6, 0x06ba}, // noonghunnaarabic + {0x930c1a0b, 0x001b}, // controlESC + {0x932512ee, 0x03ea}, // Gangiacoptic + {0x9330a2fc, 0x0336}, // strokelongoverlaycmb + {0x934b1595, 0x062d}, // haharabic + {0x93959445, 0x263a}, // smileface + {0x939a56c4, 0x03ad}, // epsilontonos + {0x939b5eb8, 0xfe92}, // behmedialarabic + {0x93bca3b6, 0x099e}, // nyabengali + {0x93e00dc4, 0x2193}, // arrowdown + {0x93eef318, 0x0263}, // gammalatinsmall + {0x9404d5fc, 0x33d5}, // squaremil + {0x941a6b5f, 0x0a23}, // nnagurmukhi + {0x941b20fa, 0xfe4b}, // overlinewavy + {0x942ad1c7, 0x09be}, // aavowelsignbengali + {0x9453959c, 0x24bd}, // Hcircle + {0x9464bc2e, 0x1e66}, // Scarondotaccent + {0x94724b66, 0x21bc}, // harpoonleftbarbup + {0x94803386, 0x09d7}, // aulengthmarkbengali + {0x948a9ce4, 0x05de}, // afii57678 + {0x949bc805, 0x01da}, // udieresiscaron + {0x94ae0441, 0x0410}, // Acyrillic + {0x94b7f6ea, 0x0463}, // yatcyrillic + {0x94c36e74, 0x3261}, // nieuncirclekorean + {0x94c9571f, 0x25ac}, // blackrectangle + {0x94ca16e5, 0xf893}, // maichattawaupperleftthai + {0x94d13d1c, 0xfe39}, // tortoiseshellbracketleftvertical + {0x94d44c33, 0x007b}, // braceleftbig + {0x94d74b96, 0x1e64}, // Sacutedotaccent + {0x94e6f584, 0x3058}, // zihiragana + {0x94ee5ae7, 0x2792}, // ninecircleinversesansserif + {0x94f9a508, 0x3265}, // pieupcirclekorean + {0x9518a20d, 0x30d9}, // bekatakana + {0x951a0238, 0xfdf2}, // lamlamhehisolatedarabic + {0x951ae869, 0x09dc}, // rrabengali + {0x952cce64, 0x04ee}, // Umacroncyrillic + {0x952ec009, 0x0988}, // iibengali + {0x95394a64, 0x05da}, // finalkafsheva + {0x953a0a51, 0x2211}, // summation + {0x954920d5, 0xf769}, // Ismall + {0x954a8776, 0x03d1}, // thetasymbolgreek + {0x95526ac8, 0x2500}, // SF100000 + {0x9559e176, 0x05b7}, // patah2a + {0x955dbbe7, 0x23aa}, // braceex + {0x957765bc, 0xfe8a}, // yehhamzaabovefinalarabic + {0x958830cb, 0x2669}, // quarternote + {0x9588e4f1, 0xff99}, // rukatakanahalfwidth + {0x959cf6c1, 0x203b}, // referencemark + {0x95af6475, 0x05e3}, // finalpehebrew + {0x95aff05f, 0x03ca}, // iotadieresis + {0x95b3bc07, 0xfb46}, // tsadidagesh + {0x95bed968, 0x0e15}, // totaothai + {0x95cabf3f, 0x21cf}, // arrowrightdblstroke + {0x95d7e2f4, 0x0032}, // two + {0x95ed768c, 0x05e0}, // nun + {0x960140f0, 0x2496}, // fifteenperiod + {0x961b2e15, 0x1e6f}, // tlinebelow + {0x96220dd7, 0x318a}, // yuyeokorean + {0x962b0c72, 0x3323}, // sentosquare + {0x9638605a, 0x0669}, // ninearabic + {0x967b01ac, 0x05b9}, // holamhebrew + {0x967d0326, 0x3134}, // nieunkorean + {0x968e4cb7, 0xf899}, // nikhahitleftthai + {0x96a5e022, 0x25d9}, // invcircle + {0x96b677d5, 0x0153}, // oe + {0x96c05d98, 0x01f2}, // Dz + {0x96c1ab16, 0x247f}, // twelveparen + {0x96d9cc68, 0x0427}, // Checyrillic + {0x96fd8ec6, 0x1e7a}, // Umacrondieresis + {0x9711eb31, 0x21aa}, // arrowhookleft + {0x9741ad45, 0x05bf}, // rafe + {0x975dc1dc, 0x32a5}, // ideographiccentrecircle + {0x9776a4ba, 0x0007}, // controlBEL + {0x977737b3, 0x0265}, // hturned + {0x9778a35b, 0x0562}, // benarmenian + {0x977e0dfa, 0x25d0}, // circlewithlefthalfblack + {0x97843a2e, 0x09f8}, // denominatorminusonenumeratorbengali + {0x978c8c89, 0x03ac}, // alphatonos + {0x97ae16ea, 0x23a1}, // bracketlefttp + {0x97b3e7db, 0x24c3}, // Ncircle + {0x97e45478, 0x05b6}, // segol2c + {0x97ea0cb5, 0x04d8}, // Schwacyrillic + {0x97ebb44e, 0x015f}, // scedilla + {0x97f03f9c, 0x0419}, // Iishortcyrillic + {0x97f6721e, 0x05bf}, // afii57841 + {0x980e76a2, 0x1e32}, // Kdotbelow + {0x98148d7b, 0xff14}, // fourmonospace + {0x981fc90b, 0x0a1b}, // chagurmukhi + {0x982585a7, 0x260e}, // telephoneblack + {0x982718e0, 0x003c}, // less + {0x982eb09a, 0x0e5b}, // khomutthai + {0x9853033e, 0x04b5}, // tetsecyrillic + {0x987e6d13, 0x0411}, // Becyrillic + {0x9896e370, 0x0402}, // afii10051 + {0x98b02dc0, 0x0a48}, // aimatragurmukhi + {0x98bf4a1b, 0xf6d0}, // Macron + {0x98c60f17, 0xf6d9}, // copyrightserif + {0x98d74b1c, 0x01c8}, // Lj + {0x98d9aba5, 0x03ae}, // etatonos + {0x98eba766, 0x018b}, // Dtopbar + {0x98f4783f, 0x24ac}, // qparen + {0x98f4b751, 0x0651}, // afii57457 + {0x98ffb065, 0x02c6}, // hatwider + {0x99104281, 0x02e5}, // tonebarextrahighmod + {0x99235205, 0x05dc}, // lamedhebrew + {0x994ebac3, 0x05c0}, // afii57842 + {0x99725844, 0x0320}, // minusbelowcmb + {0x9982855c, 0x0686}, // afii57507 + {0x99830dc7, 0x062c}, // afii57420 + {0x99863852, 0x03ed}, // shimacoptic + {0x99997c4f, 0x3314}, // kirosquare + {0x999c619c, 0x3078}, // hehiragana + {0x999f4db4, 0x05b4}, // afii57793 + {0x99cca883, 0xff04}, // dollarmonospace + {0x99e63f81, 0x0962}, // lvocalicvowelsigndeva + {0x9a069ea3, 0x2267}, // greateroverequal + {0x9a098276, 0xfea2}, // hahfinalarabic + {0x9a157ece, 0x246a}, // elevencircle + {0x9a1c929d, 0x043c}, // afii10078 + {0x9a310f17, 0xff51}, // qmonospace + {0x9a3391f5, 0x0190}, // Eopen + {0x9a464a33, 0x0174}, // Wcircumflex + {0x9a50ec2e, 0x05b6}, // segolquarterhebrew + {0x9a7aab21, 0x05c3}, // sofpasuqhebrew + {0x9ac6c137, 0x0e0f}, // topatakthai + {0x9ae2a69d, 0xf6c0}, // ll + {0x9aea680b, 0x3029}, // ninehangzhou + {0x9af6d63b, 0x054a}, // Peharmenian + {0x9b064cf1, 0xfedf}, // lammeemjeeminitialarabic + {0x9b09b61d, 0x0a10}, // aigurmukhi + {0x9b0db21d, 0x0402}, // Djecyrillic + {0x9b100042, 0x0e21}, // momathai + {0x9b29e68e, 0x0278}, // philatin + {0x9b3ff954, 0x0e56}, // sixthai + {0x9b5a3eb3, 0x0626}, // afii57414 + {0x9b712e01, 0x1eba}, // Ehookabove + {0x9b73811a, 0x2227}, // logicaland + {0x9b76648b, 0x041f}, // afii10033 + {0x9b7712b3, 0x1e5a}, // Rdotbelow + {0x9b8591a5, 0x30ca}, // nakatakana + {0x9b950b60, 0x095e}, // fadeva + {0x9ba02025, 0x01e9}, // kcaron + {0x9bca0720, 0x1e93}, // zdotbelow + {0x9bcccde6, 0x0e4e}, // yamakkanthai + {0x9bd59a36, 0x300e}, // whitecornerbracketleft + {0x9bdb98a4, 0x1e5e}, // Rlinebelow + {0x9bdfdedf, 0x05d3}, // daletsheva + {0x9be54046, 0x0e0a}, // chochangthai + {0x9bfe067d, 0x0405}, // Dzecyrillic + {0x9c14c866, 0x0484}, // palatalizationcyrilliccmb + {0x9c1ff986, 0x05f1}, // afii57717 + {0x9c30e64e, 0x0121}, // gdot + {0x9c3d076c, 0x002d}, // hyphen + {0x9c5df589, 0x03b2}, // beta + {0x9c5e488c, 0x05d3}, // dalethebrew + {0x9c743ddb, 0x3239}, // ideographicrepresentparen + {0x9cc9b890, 0x2a00}, // circledottext + {0x9cd2074a, 0x0a36}, // shagurmukhi + {0x9ce0dacf, 0xfebb}, // sadinitialarabic + {0x9ce3d2fe, 0x06d2}, // afii57519 + {0x9ce9cdfc, 0x0408}, // Jecyrillic + {0x9ce9f027, 0x0426}, // Tsecyrillic + {0x9cf54095, 0x20aa}, // newsheqelsign + {0x9d1b1141, 0x25d8}, // invbullet + {0x9d1ed2c0, 0x0120}, // Gdotaccent + {0x9d25f804, 0x0294}, // glottalstop + {0x9d3a5187, 0x03bb}, // lambda + {0x9d4507ca, 0x00a0}, // nonbreakingspace + {0x9d4ea24d, 0x045a}, // njecyrillic + {0x9d5ba323, 0x3145}, // sioskorean + {0x9d5eb9a4, 0x001f}, // controlUS + {0x9d662219, 0x332a}, // haitusquare + {0x9d760ad7, 0x3318}, // guramusquare + {0x9d770652, 0x1e2b}, // hbrevebelow + {0x9db9ebc8, 0x30ba}, // zukatakana + {0x9dee7277, 0x2015}, // afii00208 + {0x9df531bb, 0x059b}, // tevirhebrew + {0x9e021469, 0x22cf}, // curlyand + {0x9e062707, 0x02a2}, // glottalstopstrokereversed + {0x9e0bf218, 0x02b1}, // hhooksuperior + {0x9e0d1458, 0x02c4}, // arrowheadupmod + {0x9e1247f8, 0x0033}, // three + {0x9e248728, 0x3053}, // kohiragana + {0x9e2d5a68, 0x053f}, // Kenarmenian + {0x9e37413a, 0x22c2}, // intersectiondisplay + {0x9e4de0cc, 0x221a}, // radicalBigg + {0x9e5de325, 0x222e}, // contourintegral + {0x9e65e800, 0x248b}, // fourperiod + {0x9e98d52c, 0x2483}, // sixteenparen + {0x9ea14168, 0x05b7}, // patahquarterhebrew + {0x9ea23fe1, 0x00f1}, // ntilde + {0x9eac193b, 0x00ef}, // idieresis + {0x9eb5aea3, 0x3142}, // pieupkorean + {0x9ebea1a0, 0x3150}, // aekorean + {0x9ee7bbd1, 0x094b}, // ovowelsigndeva + {0x9eeac84b, 0xfee7}, // noonhehinitialarabic + {0x9eedaba9, 0x0113}, // emacron + {0x9ef0c911, 0xf765}, // Esmall + {0x9f023815, 0x20ac}, // euro + {0x9f30fc87, 0xfec2}, // tahfinalarabic + {0x9f37894c, 0x040e}, // afii10062 + {0x9f53036c, 0x0a19}, // ngagurmukhi + {0x9f65cf71, 0x1e25}, // hdotbelow + {0x9f69147e, 0x1e61}, // sdotaccent + {0x9f6f9105, 0x0433}, // gecyrillic + {0x9f739695, 0x04f9}, // yerudieresiscyrillic + {0x9f79f6eb, 0xfb33}, // daletdageshhebrew + {0x9f7f5e1f, 0xf897}, // thanthakhatlowrightthai + {0x9f8cff14, 0x003e}, // greater + {0x9f94b2e4, 0x04a1}, // kabashkircyrillic + {0x9fa5f7ad, 0x0e49}, // maithothai + {0x9fa872ec, 0x02dc}, // tildewidest + {0x9fc7ffac, 0x05b4}, // hiriqhebrew + {0x9fd406b1, 0xfed8}, // qafmedialarabic + {0x9fd7c50e, 0x05bb}, // afii57796 + {0x9fdfc7a1, 0x00b0}, // degree + {0x9ffeaad9, 0x01ed}, // oogonekmacron + {0xa0144bc6, 0xfc8d}, // noonnoonfinalarabic + {0xa0166e3d, 0x3159}, // waekorean + {0xa016fb2d, 0x016b}, // umacron + {0xa0286aa8, 0x1e04}, // Bdotbelow + {0xa03db58b, 0x02d2}, // ringhalfrightcentered + {0xa05ccf71, 0x05e1}, // samekhhebrew + {0xa069fd2d, 0x012b}, // imacron + {0xa08ca5a7, 0x2491}, // tenperiod + {0xa09c7d02, 0x05e8}, // reshhatafpatahhebrew + {0xa0a317f9, 0x0574}, // menarmenian + {0xa0adde45, 0xf884}, // maihanakatleftthai + {0xa0c2ffe3, 0x247a}, // sevenparen + {0xa0e40fac, 0x337b}, // heiseierasquare + {0xa0e487b8, 0x33cd}, // KKsquare + {0xa0ee672b, 0x3143}, // ssangpieupkorean + {0xa100bc11, 0x043e}, // ocyrillic + {0xa10462a8, 0x0394}, // Deltagreek + {0xa11f6f39, 0x0071}, // q + {0xa12507ea, 0x2177}, // eightroman + {0xa12d2230, 0x05b5}, // tsere2b + {0xa134a191, 0xff11}, // onemonospace + {0xa14f5367, 0x05b0}, // sheva15 + {0xa14fd78e, 0x2193}, // arrowbt + {0xa157c7c6, 0x0643}, // kafarabic + {0xa15811a3, 0x061f}, // questionarabic + {0xa1697005, 0x0015}, // controlNAK + {0xa16fa8a4, 0x22a3}, // tackleft + {0xa1703e0a, 0x3219}, // thieuthaparenkorean + {0xa1850262, 0x05c2}, // afii57803 + {0xa1a14a63, 0x1eb8}, // Edotbelow + {0xa1ed89db, 0x0202}, // Ainvertedbreve + {0xa20cadbf, 0x0062}, // b + {0xa20ea9da, 0x24aa}, // oparen + {0xa212ed2d, 0x0e38}, // sarauthai + {0xa23bb3ad, 0x222b}, // integraltext + {0xa2448aa1, 0x01e6}, // Gcaron + {0xa2543878, 0x326f}, // nieunacirclekorean + {0xa254ebdd, 0xfb3e}, // memdagesh + {0xa259bfe7, 0xff19}, // ninemonospace + {0xa262edc1, 0xfe49}, // overlinedashed + {0xa26bc10f, 0x061b}, // semicolonarabic + {0xa27876ee, 0xfe35}, // parenleftvertical + {0xa28a5f58, 0xfec8}, // zahmedialarabic + {0xa28ba8ac, 0x317d}, // siospieupkorean + {0xa2972ad9, 0x2305}, // projective + {0xa2be0dd9, 0x062b}, // afii57419 + {0xa2c2120e, 0x0e52}, // twothai + {0xa2d967e3, 0x2083}, // threeinferior + {0xa2e1fb7a, 0x221e}, // infinity + {0xa2f62d95, 0x306e}, // nohiragana + {0xa3004c6f, 0x092e}, // madeva + {0xa316ccc6, 0x2044}, // fraction + {0xa32a4538, 0xfb1f}, // afii57705 + {0xa334b2d1, 0x043d}, // afii10079 + {0xa34b5d2f, 0x0e57}, // seventhai + {0xa36dbdee, 0x30db}, // hokatakana + {0xa386d6fe, 0x3327}, // tonsquare + {0xa3903917, 0x3270}, // tikeutacirclekorean + {0xa39b2570, 0xfefc}, // lamaleffinalarabic + {0xa3b51a89, 0x0597}, // reviamugrashhebrew + {0xa3cc74fa, 0x3056}, // zahiragana + {0xa3d9a90d, 0x0499}, // zedescendercyrillic + {0xa3e95215, 0xfef9}, // lamalefhamzabelowisolatedarabic + {0xa3ec709c, 0x0569}, // toarmenian + {0xa3fbf1d9, 0x0497}, // zhedescendercyrillic + {0xa3fe88d1, 0x0104}, // Aogonek + {0xa40369ed, 0x32a9}, // ideographicmedicinecircle + {0xa4259ac9, 0xff76}, // kakatakanahalfwidth + {0xa43a91b7, 0x005b}, // bracketleftbig + {0xa43cdc2e, 0xfb44}, // pedageshhebrew + {0xa446d45f, 0x3224}, // fiveideographicparen + {0xa450f946, 0x0454}, // afii10101 + {0xa456f11e, 0x09e8}, // twobengali + {0xa457c062, 0x30ad}, // kikatakana + {0xa45b3183, 0x0aeb}, // fivegujarati + {0xa45b7f21, 0x010e}, // Dcaron + {0xa4627c0f, 0x0204}, // Edblgrave + {0xa478f921, 0x09e0}, // rrvocalicbengali + {0xa4863185, 0x30f4}, // vukatakana + {0xa4922e7c, 0x0341}, // acutetonecmb + {0xa4aa1092, 0x05b1}, // hatafsegol30 + {0xa4aa8935, 0xff58}, // xmonospace + {0xa4af8f73, 0x2282}, // subset + {0xa4decb10, 0x0a72}, // irigurmukhi + {0xa4ebd5d8, 0x05e7}, // qofhiriqhebrew + {0xa50a3a99, 0x0630}, // afii57424 + {0xa50cf621, 0xff7e}, // sekatakanahalfwidth + {0xa512e58d, 0xff83}, // tekatakanahalfwidth + {0xa517b724, 0xfee6}, // noonfinalarabic + {0xa52168e0, 0x2325}, // option + {0xa54253fb, 0x05e7}, // qof + {0xa545c2a6, 0xfb2a}, // afii57694 + {0xa553cf3e, 0x003b}, // semicolon + {0xa56dfce7, 0x0e03}, // khokhuatthai + {0xa58382dd, 0x0137}, // kcedilla + {0xa5b93826, 0x2555}, // SF220000 + {0xa5ecbdaa, 0x03b5}, // epsilon + {0xa6056425, 0x05b8}, // qamatswidehebrew + {0xa60745ee, 0x2250}, // approaches + {0xa6281f81, 0x0142}, // lslash + {0xa62afc92, 0x0534}, // Daarmenian + {0xa63a8cce, 0xf7f4}, // Ocircumflexsmall + {0xa6454b66, 0x2498}, // seventeenperiod + {0xa64723d6, 0x30af}, // kukatakana + {0xa6522894, 0x24da}, // kcircle + {0xa652cff2, 0x24a8}, // mparen + {0xa65ca284, 0x314d}, // phieuphkorean + {0xa65ea7b9, 0x00ab}, // guillemotleft + {0xa6644796, 0xfc94}, // yehnoonfinalarabic + {0xa66b3ab3, 0x00b8}, // cedilla + {0xa675e0d6, 0x0156}, // Rcommaaccent + {0xa683217b, 0x0ab7}, // ssagujarati + {0xa6a017fd, 0x0415}, // Iecyrillic + {0xa6ae34a8, 0x3028}, // eighthangzhou + {0xa6b19efc, 0x0591}, // etnahtafoukhhebrew + {0xa6b46028, 0xff72}, // ikatakanahalfwidth + {0xa6bd2b95, 0x1e6b}, // tdotaccent + {0xa6c10839, 0x0431}, // becyrillic + {0xa6e68e9f, 0x0966}, // zerodeva + {0xa6f16c03, 0x03c2}, // sigma1 + {0xa6f2df0d, 0x0a32}, // lagurmukhi + {0xa6f3cb6a, 0x21d3}, // arrowdblbt + {0xa716a470, 0x2464}, // fivecircle + {0xa71dfe13, 0x1ea2}, // Ahookabove + {0xa73026ce, 0x007a}, // z + {0xa73199c0, 0x05bb}, // qubutshebrew + {0xa731e944, 0x0411}, // afii10018 + {0xa7320cb3, 0x3139}, // rieulkorean + {0xa74014fc, 0x003f}, // question + {0xa745be27, 0x2308}, // ceilingleftbig + {0xa74cd67a, 0x025f}, // jdotlessstroke + {0xa756caf5, 0x04d2}, // Adieresiscyrillic + {0xa7769b7a, 0x22c1}, // logicalortext + {0xa7895d88, 0x252c}, // SF060000 + {0xa796d5bb, 0x0267}, // henghook + {0xa7bff3d5, 0x032c}, // caronbelowcmb + {0xa7dcd836, 0xfb68}, // ttehinitialarabic + {0xa7e01c26, 0x01a7}, // Tonetwo + {0xa7e7d702, 0x05b8}, // qamats1a + {0xa7edca33, 0x25b7}, // whiterightpointingtriangle + {0xa7fb6ee6, 0x226f}, // notgreater + {0xa7fe97d8, 0x3166}, // nieuntikeutkorean + {0xa815fa8a, 0x309e}, // voicediterationhiragana + {0xa819fe3e, 0x315e}, // wekorean + {0xa81ee743, 0x0542}, // Ghadarmenian + {0xa826b713, 0xfeb6}, // sheenfinalarabic + {0xa842618b, 0x025b}, // eopen + {0xa84fdde5, 0x0340}, // gravetonecmb + {0xa851c76f, 0x05a5}, // merkhahebrew + {0xa8547bdd, 0x0455}, // afii10102 + {0xa8665e8d, 0x05b1}, // afii57801 + {0xa877e561, 0x2642}, // male + {0xa87899cd, 0xf6e6}, // hyphensuperior + {0xa8982f3b, 0x09b2}, // labengali + {0xa8a24959, 0x00d0}, // Eth + {0xa8b6c7f5, 0x0a2e}, // magurmukhi + {0xa8b7f35e, 0x06c1}, // haaltonearabic + {0xa8bb13d5, 0x0a70}, // tippigurmukhi + {0xa8ccc65c, 0x3316}, // kiromeetorusquare + {0xa8db2b93, 0x017e}, // zcaron + {0xa93204a5, 0x03a6}, // Phi + {0xa9350b3f, 0x20a1}, // colonmonetary + {0xa93a2a4f, 0x1e47}, // ndotbelow + {0xa94e0303, 0x33ab}, // mpasquare + {0xa94eeaee, 0x01aa}, // eshreversedloop + {0xa95e2711, 0x1e21}, // gmacron + {0xa96cef91, 0x3169}, // rieulkiyeoksioskorean + {0xa981562d, 0x0668}, // eightarabic + {0xa98e771c, 0x0634}, // sheenarabic + {0xa9985803, 0x30dc}, // bokatakana + {0xa99c94c2, 0x01be}, // glottalinvertedstroke + {0xa9a0932f, 0x2077}, // sevensuperior + {0xa9af18f2, 0x30b4}, // gokatakana + {0xa9c0b182, 0x2264}, // lessequal + {0xa9dc390a, 0x05da}, // finalkafqamatshebrew + {0xa9e88297, 0x2053}, // a58 + {0xaa13efde, 0x007d}, // braceright + {0xaa245bb8, 0x0028}, // parenleftBig + {0xaa4e278b, 0x0967}, // onedeva + {0xaa51d75f, 0x2476}, // threeparen + {0xaa69d0f1, 0x256c}, // SF440000 + {0xaa863ce3, 0x0629}, // tehmarbutaarabic + {0xaa8c5eeb, 0x03e5}, // feicoptic + {0xaa96b9dc, 0x0665}, // fivearabic + {0xaaabcf5c, 0x04b9}, // cheverticalstrokecyrillic + {0xaab6b9a5, 0x0211}, // rdblgrave + {0xaabfed05, 0xff85}, // nakatakanahalfwidth + {0xaac3a76a, 0x0559}, // ringhalfleftarmenian + {0xaac3adf0, 0x3121}, // oubopomofo + {0xaacaffc4, 0x2162}, // Threeroman + {0xaad54f7c, 0x3002}, // ideographicperiod + {0xaaf6eb21, 0x01ce}, // acaron + {0xab0b499a, 0x099c}, // jabengali + {0xab126f69, 0x5344}, // twentyhangzhou + {0xab1f1bb7, 0x05df}, // afii57679 + {0xab24577f, 0x0667}, // sevenarabic + {0xab2b4200, 0x2105}, // careof + {0xab3b4b27, 0x24e2}, // scircle + {0xab52e61f, 0x05d3}, // dalethatafpatah + {0xab808d1e, 0x2087}, // seveninferior + {0xab8a6656, 0x01d0}, // icaron + {0xaba55a59, 0xfb32}, // gimeldageshhebrew + {0xabb7eb8f, 0x2081}, // oneinferior + {0xabd373e8, 0x055e}, // questionarmenian + {0xac05d874, 0x1e84}, // Wdieresis + {0xac259f58, 0x0448}, // afii10090 + {0xac2c323e, 0x0191}, // Fhook + {0xac32a034, 0x316f}, // mieumsioskorean + {0xac483cb3, 0x338c}, // mufsquare + {0xac4f1094, 0x059c}, // gereshaccenthebrew + {0xac50a082, 0x33a3}, // mmcubedsquare + {0xac5faca7, 0x230b}, // floorrightbig + {0xac67aca2, 0x045b}, // tshecyrillic + {0xacac7818, 0x219d}, // a59 + {0xacb92bab, 0x0691}, // rreharabic + {0xacd00f05, 0x21c6}, // arrowleftoverright + {0xacd11e18, 0x2010}, // hyphentwo + {0xace7d07a, 0x0921}, // ddadeva + {0xacfcbdb9, 0x3042}, // ahiragana + {0xad01f787, 0xff1d}, // equalmonospace + {0xad1b58f9, 0x0595}, // zaqefgadolhebrew + {0xad29738f, 0x05f4}, // gershayimhebrew + {0xad33f4b3, 0x04c1}, // Zhebrevecyrillic + {0xad37f8e0, 0x0a24}, // tagurmukhi + {0xad38bc31, 0x2194}, // arrowboth + {0xad45a65c, 0xf6cc}, // DieresisAcute + {0xad5fe438, 0x0924}, // tadeva + {0xad781e89, 0x200c}, // afii61664 + {0xad8ff38a, 0x0a21}, // ddagurmukhi + {0xadb1b19e, 0x0206}, // Einvertedbreve + {0xadb53f6b, 0xfbaf}, // yehbarreefinalarabic + {0xadbea3e4, 0x20aa}, // afii57636 + {0xadc3ff5e, 0x0649}, // afii57449 + {0xadf402a9, 0x0989}, // ubengali + {0xadf4d422, 0x0625}, // alefhamzabelowarabic + {0xae04e5ad, 0x0a15}, // kagurmukhi + {0xae06976c, 0xf6d5}, // cyrflex + {0xae1f7b0a, 0x2076}, // sixsuperior + {0xae23dd7b, 0x1eaf}, // abreveacute + {0xae30147f, 0x0908}, // iideva + {0xae346d0d, 0x05e8}, // reshsheva + {0xae56317c, 0x24ae}, // sparen + {0xae6f7e74, 0x031b}, // horncmb + {0xae7c975f, 0x249a}, // nineteenperiod + {0xae8f4e4c, 0x0406}, // afii10055 + {0xaeac4f55, 0xf7e9}, // Eacutesmall + {0xaeb06274, 0x0423}, // Ucyrillic + {0xaec173e8, 0x03b8}, // theta + {0xaee16fb6, 0xfe4f}, // underscorewavy + {0xaef4b475, 0x1edf}, // ohornhookabove + {0xaef8393d, 0x0664}, // fourarabic + {0xaf01f370, 0x278e}, // fivecircleinversesansserif + {0xaf0ebb84, 0xf6d6}, // dblgrave + {0xaf2073fd, 0x2103}, // centigrade + {0xaf3552ce, 0x3072}, // hihiragana + {0xaf36c6b1, 0x30cd}, // nekatakana + {0xaf499180, 0x2309}, // ceilingrightBig + {0xaf4df0df, 0xfc0e}, // tehmeemisolatedarabic + {0xaf5710c9, 0x00c0}, // Agrave + {0xaf5b123d, 0x032d}, // circumflexbelowcmb + {0xaf5ce08f, 0x00e0}, // agrave + {0xaf788850, 0x00fc}, // udieresis + {0xaf7abcb1, 0x05b9}, // holam + {0xaf8a8524, 0x0455}, // dzecyrillic + {0xafa14924, 0x33d3}, // lxsquare + {0xafaa365c, 0x30be}, // zokatakana + {0xafb28009, 0x03e2}, // Sheicoptic + {0xafb8e89a, 0x0a68}, // twogurmukhi + {0xafbbfcac, 0xff71}, // akatakanahalfwidth + {0xafbd0738, 0x305d}, // sohiragana + {0xafc9b657, 0x0e17}, // thothahanthai + {0xaff892ca, 0x05d3}, // dalettserehebrew + {0xb000150a, 0xfe96}, // tehfinalarabic + {0xb01f8020, 0x0666}, // sixarabic + {0xb026a3ef, 0x30b3}, // kokatakana + {0xb0309f24, 0xfee3}, // meeminitialarabic + {0xb032be97, 0x047b}, // omegaroundcyrillic + {0xb033a837, 0x0079}, // y + {0xb03640f2, 0x2252}, // approxequalorimage + {0xb0522c01, 0x278f}, // sixcircleinversesansserif + {0xb0791aaf, 0x09f3}, // rupeesignbengali + {0xb0a20aff, 0x22db}, // greaterequalorless + {0xb0c33454, 0x028a}, // upsilonlatin + {0xb0efaba6, 0x0a97}, // gagujarati + {0xb107bdf6, 0x304b}, // kahiragana + {0xb1240d86, 0x0474}, // afii10148 + {0xb145d406, 0x327b}, // hieuhacirclekorean + {0xb169c9ac, 0x1eed}, // uhornhookabove + {0xb1722e49, 0x3006}, // ideographicclose + {0xb199f9f3, 0x314a}, // chieuchkorean + {0xb1a83745, 0x246e}, // fifteencircle + {0xb1a9eaa4, 0x1eb7}, // abrevedotbelow + {0xb1b08c26, 0x2020}, // dagger + {0xb1b2e578, 0xff13}, // threemonospace + {0xb1c3eac2, 0x1e8c}, // Xdieresis + {0xb1e18633, 0x0e2d}, // oangthai + {0xb1eda93c, 0x09e2}, // lvocalicvowelsignbengali + {0xb1fa6226, 0x0a9a}, // cagujarati + {0xb225a8bc, 0x0947}, // evowelsigndeva + {0xb243894e, 0x21d1}, // arrowdblup + {0xb25639c1, 0x2534}, // SF070000 + {0xb2566e08, 0x064d}, // afii57453 + {0xb256786e, 0x03f2}, // sigmalunatesymbolgreek + {0xb25b34dc, 0x0e1a}, // bobaimaithai + {0xb26943db, 0x0420}, // afii10034 + {0xb27e91f4, 0x01bb}, // twostroke + {0xb290d64a, 0xfe88}, // alefhamzabelowfinalarabic + {0xb2bbd0d4, 0xfeb0}, // zainfinalarabic + {0xb2cc02c2, 0x1e38}, // Ldotbelowmacron + {0xb2d79f3e, 0x00f9}, // ugrave + {0xb2d7f27b, 0x0652}, // afii57458 + {0xb2d95c63, 0x2518}, // SF040000 + {0xb2f3aff0, 0x0946}, // eshortvowelsigndeva + {0xb311c284, 0x05e7}, // qoftsere + {0xb3178333, 0x00da}, // Uacute + {0xb321fe9c, 0x21e3}, // arrowdashdown + {0xb327a481, 0x2290}, // a61 + {0xb32daf91, 0xf6c6}, // afii10192 + {0xb32e268f, 0xf6fe}, // Tildesmall + {0xb3329e90, 0x313e}, // rieulthieuthkorean + {0xb33c41bc, 0x018c}, // dtopbar + {0xb340e2fe, 0x04a5}, // enghecyrillic + {0xb341da2f, 0x1e36}, // Ldotbelow + {0xb345c512, 0xfea4}, // hahmedialarabic + {0xb369c9bd, 0x2423}, // blank + {0xb36f3f4e, 0x054d}, // Seharmenian + {0xb3880287, 0x05d6}, // zayinhebrew + {0xb38b59bc, 0x0ac0}, // iivowelsigngujarati + {0xb3a3592e, 0x21e5}, // arrowtabright + {0xb3dbcf55, 0x323d}, // ideographicenterpriseparen + {0xb3e6b497, 0x03c9}, // omega + {0xb3ed41be, 0x328f}, // ideographearthcircle + {0xb40169ac, 0x05b0}, // sheva22 + {0xb405e3e3, 0x0439}, // afii10075 + {0xb40aff3d, 0xf730}, // zerooldstyle + {0xb41baecc, 0x2487}, // twentyparen + {0xb427632e, 0x05b3}, // hatafqamats1b + {0xb4344c30, 0x090f}, // edeva + {0xb43bb55a, 0x3263}, // rieulcirclekorean + {0xb448d464, 0x0391}, // Alpha + {0xb45a5763, 0x201b}, // quoteleftreversed + {0xb45ef9b7, 0x03c0}, // pi + {0xb47a6410, 0x230a}, // floorleftBigg + {0xb497903a, 0x01dd}, // eturned + {0xb4a55071, 0x1e7d}, // vtilde + {0xb4a6b289, 0x2235}, // because + {0xb4a7f99d, 0x0954}, // acutedeva + {0xb4a9d27d, 0x05d2}, // afii57666 + {0xb4c0dc86, 0x0e48}, // maiekthai + {0xb4c2484c, 0x05dc}, // lamed + {0xb4c667bc, 0xff61}, // periodhalfwidth + {0xb4c72b2a, 0x0215}, // udblgrave + {0xb4e21f31, 0x2198}, // arrowdownright + {0xb4fef2ed, 0x05d3}, // dalettsere + {0xb500deca, 0x1e41}, // mdotaccent + {0xb510d684, 0x1e80}, // Wgrave + {0xb526b685, 0x22bf}, // righttriangle + {0xb52e7c1d, 0x091e}, // nyadeva + {0xb53ca7e2, 0x326c}, // phieuphcirclekorean + {0xb5866d85, 0x005c}, // backslashbig + {0xb58e59d7, 0x24ad}, // rparen + {0xb5af274f, 0x064a}, // afii57450 + {0xb5b94593, 0x010d}, // ccaron + {0xb5c458a3, 0x05b8}, // qamatsqatanwidehebrew + {0xb5f24e31, 0xff5a}, // zmonospace + {0xb600bed1, 0x3024}, // fourhangzhou + {0xb6052cdb, 0x010b}, // cdotaccent + {0xb61c54b4, 0x24e4}, // ucircle + {0xb64312f2, 0x00a2}, // cent + {0xb6443d26, 0x0622}, // afii57410 + {0xb647ed9e, 0x01d7}, // Udieresisacute + {0xb652184e, 0x0e4b}, // maichattawathai + {0xb6588f1c, 0x247c}, // nineparen + {0xb66bf9b9, 0x33dc}, // svsquare + {0xb673fbb5, 0x038e}, // Upsilontonos + {0xb67e35c8, 0x0121}, // gdotaccent + {0xb6951f83, 0x2210}, // coproductdisplay + {0xb6bb2a6b, 0x0116}, // Edot + {0xb6d45c54, 0xff7a}, // kokatakanahalfwidth + {0xb6f322b3, 0x05e5}, // afii57685 + {0xb6f9554e, 0x3205}, // pieupparenkorean + {0xb6f9c67c, 0x0464}, // Eiotifiedcyrillic + {0xb6fea9e7, 0xff3f}, // underscoremonospace + {0xb70f3f60, 0xff4e}, // nmonospace + {0xb711b601, 0x039d}, // Nu + {0xb7124c93, 0xf770}, // Psmall + {0xb719922a, 0x067e}, // afii57506 + {0xb71d84e2, 0x3167}, // nieunsioskorean + {0xb726c42e, 0xfb49}, // shindageshhebrew + {0xb72e5846, 0x1edb}, // ohornacute + {0xb73606f5, 0x0463}, // afii10194 + {0xb7400632, 0x33aa}, // kpasquare + {0xb747ebc8, 0x2310}, // revlogicalnot + {0xb755a24e, 0x310e}, // kbopomofo + {0xb7934eea, 0x01c5}, // Dzcaron + {0xb7affc1f, 0x0418}, // afii10026 + {0xb7b78fdd, 0x2463}, // fourcircle + {0xb7bd89d3, 0x0491}, // gheupturncyrillic + {0xb7d20c6c, 0x215c}, // threeeighths + {0xb7e9bb2b, 0x30fe}, // voicediterationkatakana + {0xb80991a9, 0x04d6}, // Iebrevecyrillic + {0xb81d8e8c, 0xfb31}, // betdagesh + {0xb855cda8, 0x3397}, // dlsquare + {0xb85a6427, 0x0650}, // kasraarabic + {0xb8632720, 0x0e07}, // ngonguthai + {0xb879d78f, 0xfe32}, // endashvertical + {0xb894f4d6, 0x01a0}, // Ohorn + {0xb8972176, 0x04bb}, // shhacyrillic + {0xb89948ac, 0x0a93}, // ogujarati + {0xb8be7e03, 0x2039}, // guilsinglleft + {0xb8fa96e6, 0x0110}, // Dslash + {0xb8ff412c, 0xfef8}, // lamalefhamzaabovefinalarabic + {0xb902d285, 0x053a}, // Zhearmenian + {0xb90dcf8c, 0xff6a}, // esmallkatakanahalfwidth + {0xb910864a, 0x2032}, // minute + {0xb921c241, 0xfeca}, // ainfinalarabic + {0xb92ccc5d, 0x2469}, // tencircle + {0xb9305b2b, 0x3174}, // pieupsioskiyeokkorean + {0xb96268cb, 0x00de}, // Thorn + {0xb9808b18, 0x09c1}, // uvowelsignbengali + {0xb9927e88, 0x3382}, // muasquare + {0xb99f8f9e, 0xfeeb}, // hehinitialarabic + {0xb9b2e314, 0x0498}, // Zedescendercyrillic + {0xb9b4563d, 0x24b3}, // xparen + {0xb9c5eece, 0x05bc}, // dageshhebrew + {0xb9d8b5d9, 0xfba4}, // hehhamzaaboveisolatedarabic + {0xb9dbedd2, 0x317b}, // siosnieunkorean + {0xb9e5ea71, 0x314c}, // thieuthkorean + {0xb9e8b13e, 0x25a0}, // filledbox + {0xb9ebf396, 0xf764}, // Dsmall + {0xb9f42560, 0x0964}, // danda + {0xb9f5b462, 0x0990}, // aibengali + {0xba1bcecd, 0x0176}, // Ycircumflex + {0xba1f80d6, 0x21e1}, // arrowdashup + {0xba21ad27, 0xfb3a}, // finalkafdagesh + {0xba3aaf1e, 0x27e9}, // angbracketrightBig + {0xba4eb5f9, 0x0055}, // U + {0xba544632, 0x05db}, // afii57675 + {0xba5871eb, 0x033e}, // tildeverticalcmb + {0xba60a3b8, 0x0902}, // anusvaradeva + {0xba7e1049, 0x01d9}, // Udieresiscaron + {0xba8d69d2, 0x232a}, // angleright + {0xbaa24d97, 0x05e0}, // afii57680 + {0xbaa7aa4c, 0xfedc}, // kafmedialarabic + {0xbab8d5ec, 0xf771}, // Qsmall + {0xbabbf0c0, 0x05e8}, // reshhiriqhebrew + {0xbac7de75, 0x1ed3}, // ocircumflexgrave + {0xbad44ddc, 0x004f}, // O + {0xbad7d685, 0x04b8}, // Cheverticalstrokecyrillic + {0xbad97612, 0x03af}, // iotatonos + {0xbadf80e2, 0x06f5}, // fivepersian + {0xbae37657, 0x0621}, // hamzalowkasratanarabic + {0xbafeb301, 0x0422}, // Tecyrillic + {0xbb28e2ea, 0x1eb2}, // Abrevehookabove + {0xbb30f37e, 0x0218}, // Scommaaccent + {0xbb6353b2, 0x0332}, // lowlinecmb + {0xbb66e953, 0x22c8}, // a49 + {0xbb72d76e, 0x0139}, // Lacute + {0xbb89235d, 0xf6e0}, // centsuperior + {0xbb906e01, 0x3266}, // sioscirclekorean + {0xbb970588, 0x266f}, // musicsharpsign + {0xbba252f7, 0x0106}, // Cacute + {0xbba2c6f4, 0x27e9}, // angbracketrightbigg + {0xbbae7b40, 0x3172}, // pieupkiyeokkorean + {0xbbb9d0f4, 0x0934}, // llladeva + {0xbbd8677b, 0x330d}, // karoriisquare + {0xbbdbcb55, 0x0a6f}, // ninegurmukhi + {0xbbdc86be, 0xfb2b}, // shinsindot + {0xbc041d93, 0x05da}, // finalkafqamats + {0xbc0d2781, 0x0a1f}, // ttagurmukhi + {0xbc1b1166, 0x2558}, // SF500000 + {0xbc280da2, 0x1e79}, // utildeacute + {0xbc3510eb, 0x317f}, // pansioskorean + {0xbc45cf9a, 0x02a4}, // dezh + {0xbc75336c, 0x21a9}, // arrowhookright + {0xbc78e14f, 0x24b0}, // uparen + {0xbcd2c61b, 0x064c}, // dammatanarabic + {0xbcf16b16, 0x0621}, // hamzadammatanarabic + {0xbd0f6f71, 0x004c}, // L + {0xbd1a9441, 0x3235}, // ideographicspecialparen + {0xbd1abdb6, 0x0184}, // Tonesix + {0xbd2d2e5f, 0x054e}, // Vewarmenian + {0xbd30ce0c, 0x2641}, // earth + {0xbd4d0860, 0x320a}, // khieukhparenkorean + {0xbd54bd2d, 0x3208}, // cieucparenkorean + {0xbd569183, 0x0182}, // Btopbar + {0xbd5dbcc1, 0x0151}, // odblacute + {0xbd5ee257, 0x01b7}, // Ezh + {0xbd85b57b, 0x21a8}, // arrowupdownbase + {0xbd8f8d24, 0x064b}, // fathatanarabic + {0xbd906fab, 0x041f}, // Pecyrillic + {0xbd98b80f, 0x25c8}, // whitediamondcontainingblacksmalldiamond + {0xbdc1280a, 0x24be}, // Icircle + {0xbdd372da, 0x318b}, // yuyekorean + {0xbde8281d, 0x3276}, // cieucacirclekorean + {0xbe1bc796, 0xfb7c}, // tchehmeeminitialarabic + {0xbe3e45cf, 0xfb58}, // pehinitialarabic + {0xbe663ca6, 0x2470}, // seventeencircle + {0xbe7a58ae, 0x3203}, // rieulparenkorean + {0xbea937fd, 0x25bc}, // blackdownpointingtriangle + {0xbec6916e, 0x011c}, // Gcircumflex + {0xbedd6640, 0x00d9}, // Ugrave + {0xbee1ad99, 0xed79}, // vextenddouble + {0xbf12496a, 0x0985}, // abengali + {0xbf156070, 0x04e2}, // Imacroncyrillic + {0xbf26dc61, 0x041d}, // Encyrillic + {0xbf2dca30, 0x3082}, // mohiragana + {0xbf3cff90, 0x0425}, // afii10039 + {0xbf5cef43, 0x01ee}, // Ezhcaron + {0xbf673175, 0x01fd}, // aeacute + {0xbf87a284, 0x00bf}, // questiondown + {0xbf897387, 0x2273}, // greaterorequivalent + {0xbf8f3598, 0x25a6}, // squareorthogonalcrosshatchfill + {0xbf934ed3, 0x04e0}, // Dzeabkhasiancyrillic + {0xbf97194e, 0x010a}, // Cdot + {0xbf9bc7bd, 0xfb59}, // pehmedialarabic + {0xbf9c1926, 0x0627}, // alefarabic + {0xbfc69ab7, 0xff18}, // eightmonospace + {0xbfd3ede4, 0x0396}, // Zeta + {0xbfe44580, 0x05d3}, // dalethiriq + {0xbffa52a3, 0x33c7}, // cosquare + {0xc006a810, 0x062a}, // teharabic + {0xc008508a, 0xff1c}, // lessmonospace + {0xc00a3b07, 0x24bc}, // Gcircle + {0xc0126352, 0x0661}, // onearabic + {0xc03e102c, 0x3012}, // postalmark + {0xc059a094, 0x0626}, // yehhamzaabovearabic + {0xc0668ba8, 0x202e}, // afii61575 + {0xc07e7e42, 0x24a6}, // kparen + {0xc084bd84, 0x1e29}, // hcedilla + {0xc092fb91, 0x1e95}, // zlinebelow + {0xc09823db, 0x016f}, // uring + {0xc09889a1, 0x1e11}, // dcedilla + {0xc09e394d, 0x2211}, // summationtext + {0xc0a2bc69, 0x2564}, // SF470000 + {0xc0a93f4f, 0x0e2c}, // lochulathai + {0xc0bd9f90, 0x094a}, // oshortvowelsigndeva + {0xc0c043bd, 0x3008}, // anglebracketleft + {0xc0c1496c, 0x029e}, // kturned + {0xc0cbe66a, 0x33b7}, // mvsquare + {0xc0d444a4, 0x3220}, // oneideographicparen + {0xc0dcb90f, 0x062e}, // khaharabic + {0xc0efe98c, 0x2191}, // arrowup + {0xc0f7b81d, 0xf888}, // saraueeleftthai + {0xc0fb3832, 0x25ab}, // H18551 + {0xc131664b, 0x30e4}, // yakatakana + {0xc1425417, 0x317a}, // sioskiyeokkorean + {0xc1641f79, 0xfe4d}, // lowlinedashed + {0xc1835ca2, 0x02d3}, // ringhalfleftcentered + {0xc191ae65, 0x0470}, // Psicyrillic + {0xc1aa3399, 0x2a06}, // unionsqtext + {0xc1c1cd87, 0xff2e}, // Nmonospace + {0xc1d325d6, 0x05d8}, // tet + {0xc1e02cdd, 0x0594}, // zaqefqatanhebrew + {0xc1e3fd2d, 0x05d5}, // vav + {0xc1e4c743, 0x3057}, // sihiragana + {0xc1e7aebd, 0xf779}, // Ysmall + {0xc1ec1451, 0x03c3}, // sigma + {0xc1f9ede7, 0x05a3}, // munahhebrew + {0xc2089a04, 0x05b7}, // patah1d + {0xc21675c5, 0x0317}, // acutebelowcmb + {0xc21e92b6, 0x2265}, // greaterequal + {0xc2352e98, 0x0554}, // Keharmenian + {0xc25217c2, 0xfeff}, // zerowidthjoiner + {0xc25a58a0, 0x0a28}, // nagurmukhi + {0xc25a7d39, 0x2663}, // club + {0xc2658d7c, 0x3395}, // mulsquare + {0xc26d6fce, 0x20a9}, // won + {0xc283f2c3, 0x03bc}, // mugreek + {0xc29c269a, 0x326d}, // hieuhcirclekorean + {0xc2c391b3, 0x25b2}, // triagup + {0xc2d0d165, 0x0137}, // kcommaaccent + {0xc2db7e0f, 0x04a0}, // Kabashkircyrillic + {0xc327f9ff, 0xf8eb}, // parenlefttp + {0xc32ea721, 0x061f}, // afii57407 + {0xc347a5d5, 0x22c1}, // logicalordisplay + {0xc36634d0, 0x09f9}, // sixteencurrencydenominatorbengali + {0xc3722d19, 0x23ad}, // bracerightbt + {0xc3751bae, 0x25ab}, // whitesmallsquare + {0xc375a046, 0x05b0}, // shevahebrew + {0xc391e9a8, 0xfe50}, // commasmall + {0xc3a63833, 0x0621}, // hamzasukunarabic + {0xc3c94bba, 0x306a}, // nahiragana + {0xc3d9dd70, 0xfe43}, // whitecornerbracketleftvertical + {0xc3df4586, 0x0903}, // visargadeva + {0xc3eb9abd, 0x02c6}, // circumflex + {0xc3edb597, 0x24bb}, // Fcircle + {0xc3f1c1ff, 0x00e3}, // atilde + {0xc3f76044, 0xff7c}, // sikatakanahalfwidth + {0xc3f8f5bb, 0x04e3}, // imacroncyrillic + {0xc3fbb2ce, 0x025e}, // eopenreversedclosed + {0xc4004762, 0x328a}, // ideographmooncircle + {0xc4289b41, 0x25a5}, // squareverticalfill + {0xc43e9d0c, 0x1e26}, // Hdieresis + {0xc4494fb1, 0x098b}, // rvocalicbengali + {0xc459127a, 0x2174}, // fiveroman + {0xc460226d, 0xfb34}, // hedagesh + {0xc4607843, 0x25ca}, // lozenge + {0xc4991f6f, 0x03d0}, // betasymbolgreek + {0xc49bedba, 0x1e22}, // Hdotaccent + {0xc4bd396f, 0xff98}, // rikatakanahalfwidth + {0xc4cf0400, 0x0ac3}, // rvocalicvowelsigngujarati + {0xc4d48fb7, 0x0a06}, // aagurmukhi + {0xc510ccfb, 0x0327}, // cedillacmb + {0xc51e03d1, 0x0e2a}, // sosuathai + {0xc5233a99, 0xff41}, // amonospace + {0xc52d9608, 0x0409}, // afii10058 + {0xc541abe3, 0x0409}, // Ljecyrillic + {0xc560e83e, 0x1e4c}, // Otildeacute + {0xc575fbd8, 0x3303}, // aarusquare + {0xc577ce75, 0xff5d}, // bracerightmonospace + {0xc579feb1, 0x03bf}, // omicron + {0xc5904240, 0x1ee9}, // uhornacute + {0xc594a84a, 0x0a85}, // agujarati + {0xc5a57fbd, 0x0178}, // Ydieresis + {0xc5b52809, 0x25ac}, // filledrect + {0xc5c558c0, 0x2593}, // dkshade + {0xc5df0b88, 0x0aae}, // magujarati + {0xc5e2935b, 0x30bf}, // takatakana + {0xc616ce34, 0x1e83}, // wacute + {0xc618c356, 0x005f}, // underscore + {0xc6231f67, 0x3117}, // zbopomofo + {0xc62d494f, 0x042b}, // afii10045 + {0xc65b9029, 0x0012}, // controlDC2 + {0xc65e4473, 0x0300}, // gravecomb + {0xc6649ea6, 0x263b}, // blacksmilingface + {0xc6730a47, 0x3230}, // ideographicsunparen + {0xc6a18663, 0x2173}, // fourroman + {0xc6a33bcf, 0xf8f9}, // bracketrighttp + {0xc6bb9cde, 0x03c1}, // rho + {0xc6c2ca67, 0x0537}, // Eharmenian + {0xc6db1db1, 0x0a94}, // augujarati + {0xc6ddc5a6, 0x0334}, // tildeoverlaycmb + {0xc6e9fa39, 0x064a}, // yeharabic + {0xc6fbfdac, 0x025a}, // schwahook + {0xc6fedf58, 0xf731}, // oneoldstyle + {0xc703d8e7, 0x33b8}, // kvsquare + {0xc7199c26, 0xf763}, // Csmall + {0xc71e49b3, 0xf8fa}, // bracketrightex + {0xc74688aa, 0x24dc}, // mcircle + {0xc74a8cc7, 0x05b5}, // tserequarterhebrew + {0xc74f4c99, 0x0298}, // bilabialclick + {0xc7515b37, 0x0132}, // IJ + {0xc755c80f, 0xff67}, // asmallkatakanahalfwidth + {0xc75bc6a7, 0x01e8}, // Kcaron + {0xc7618f62, 0x05b3}, // hatafqamats28 + {0xc76816e4, 0x0566}, // zaarmenian + {0xc76c439e, 0x0115}, // ebreve + {0xc76ec8b2, 0x0e1c}, // phophungthai + {0xc77c2828, 0x2206}, // Delta + {0xc7855795, 0xf894}, // maichattawalowrightthai + {0xc786ef31, 0x095b}, // zadeva + {0xc78887c7, 0x1e08}, // Ccedillaacute + {0xc78fe323, 0x0698}, // afii57508 + {0xc798936b, 0xfc73}, // tehnoonfinalarabic + {0xc7b3573a, 0x1e2f}, // idieresisacute + {0xc7daee30, 0x09b7}, // ssabengali + {0xc7e20869, 0x0aee}, // eightgujarati + {0xc7ed01af, 0x33a5}, // mcubedsquare + {0xc7f07bcf, 0x248f}, // eightperiod + {0xc7f0b4c8, 0x0406}, // Icyrillic + {0xc7fb5fe5, 0x05b2}, // afii57800 + {0xc808d8ed, 0xf8f5}, // integralex + {0xc812d1b7, 0x041b}, // afii10029 + {0xc82c0a32, 0x026f}, // mturned + {0xc834804d, 0x2475}, // twoparen + {0xc8488aa4, 0x05b0}, // shevawidehebrew + {0xc84db89c, 0x2013}, // endash + {0xc85fce80, 0x0901}, // candrabindudeva + {0xc86d3a57, 0xff31}, // Qmonospace + {0xc875e6fd, 0x040c}, // afii10061 + {0xc88f7d57, 0x05b3}, // hatafqamatsnarrowhebrew + {0xc89d4f1f, 0x0006}, // controlACK + {0xc8ae6fb2, 0x0e26}, // luthai + {0xc8b50d48, 0x21d4}, // dblarrowleft + {0xc8c2c42c, 0x0162}, // Tcedilla + {0xc8c687a4, 0xfb4b}, // vavholamhebrew + {0xc8cf912e, 0xfe59}, // parenleftsmall + {0xc8fcce82, 0x0424}, // Efcyrillic + {0xc8fdfe4b, 0x0914}, // audeva + {0xc9033cb3, 0x05e7}, // qofhatafpatahhebrew + {0xc905dac2, 0xf7e0}, // Agravesmall + {0xc9315b90, 0x0338}, // soliduslongoverlaycmb + {0xc93304ec, 0x2176}, // sevenroman + {0xc9366418, 0x1e7e}, // Vdotbelow + {0xc948d9f2, 0x01fe}, // Oslashacute + {0xc948dd49, 0x0417}, // Zecyrillic + {0xc94ac55a, 0xfb4e}, // perafehebrew + {0xc94ceb7c, 0x1eca}, // Idotbelow + {0xc956ff7e, 0x1e7b}, // umacrondieresis + {0xc997284d, 0x03d3}, // Upsilonacutehooksymbolgreek + {0xc997d626, 0xfe3d}, // dblanglebracketleftvertical + {0xc9d02325, 0x2283}, // propersuperset + {0xc9d7e9b6, 0x064c}, // afii57452 + {0xc9d96803, 0x3278}, // khieukhacirclekorean + {0xc9e8cf5f, 0xfebf}, // dadinitialarabic + {0xc9ea8b89, 0x305b}, // sehiragana + {0xc9eb1227, 0x321c}, // cieucuparenkorean + {0xca07e9ca, 0x02dd}, // hungarumlaut + {0xca0b3331, 0x1e5f}, // rlinebelow + {0xca0f9f38, 0xf887}, // saraueleftthai + {0xca2dd9fa, 0x2590}, // rtblock + {0xca5ed753, 0x0269}, // iotalatin + {0xca65e972, 0x0646}, // noonarabic + {0xcab40374, 0x1e1f}, // fdotaccent + {0xcabe62a6, 0x0e16}, // thothungthai + {0xcac3bcb6, 0x33a8}, // moverssquaredsquare + {0xcac4b1a9, 0x32a8}, // ideographicrightcircle + {0xcad1f345, 0x01bd}, // tonefive + {0xcae44cee, 0x0013}, // controlDC3 + {0xcaf66d1c, 0x33b4}, // pvsquare + {0xcb1a38a0, 0x226b}, // muchgreater + {0xcb1b6c03, 0x0a5e}, // fagurmukhi + {0xcb1e3324, 0x042d}, // afii10047 + {0xcb267db3, 0x3221}, // twoideographicparen + {0xcb281438, 0x33ae}, // radoverssquare + {0xcb2edf2d, 0x220f}, // product + {0xcb4fc444, 0x03f0}, // kappasymbolgreek + {0xcb56efb7, 0x015c}, // Scircumflex + {0xcb5b537a, 0x0412}, // afii10019 + {0xcb669b9c, 0x1ee2}, // Ohorndotbelow + {0xcb72660a, 0xff1e}, // greatermonospace + {0xcb75245d, 0x1e48}, // Nlinebelow + {0xcb88e590, 0x013c}, // lcedilla + {0xcb8bc7f1, 0x002b}, // plus + {0xcbada403, 0x0429}, // Shchacyrillic + {0xcc11d7b0, 0x000c}, // controlFF + {0xcc261604, 0x04a2}, // Endescendercyrillic + {0xcc2b60a5, 0x05e7}, // qofhiriq + {0xcc3139de, 0x33d1}, // squareln + {0xcc334bff, 0xf766}, // Fsmall + {0xcc3accb9, 0x05d8}, // tethebrew + {0xcc3b7b5c, 0x0649}, // alefmaksuraarabic + {0xcc447b1d, 0x0296}, // glottalstopinverted + {0xcc8c13e9, 0x25c0}, // blackleftpointingtriangle + {0xcc993e5c, 0x025c}, // eopenreversed + {0xcca8fd16, 0x09e3}, // llvocalicvowelsignbengali + {0xccaa74e1, 0xfb7d}, // tchehmedialarabic + {0xccac0ec6, 0x300b}, // dblanglebracketright + {0xccc389ea, 0xfb30}, // alefdageshhebrew + {0xccc85a27, 0x0a81}, // candrabindugujarati + {0xcd07b41d, 0x05bc}, // dagesh + {0xcd30953c, 0x203c}, // exclamdbl + {0xcd37d58c, 0x24e3}, // tcircle + {0xcd415c99, 0x0e55}, // fivethai + {0xcd499038, 0x33a2}, // kmsquaredsquare + {0xcd54eec2, 0x06f4}, // fourpersian + {0xcd5fb77d, 0x0185}, // tonesix + {0xcd64e087, 0x266b}, // musicalnotedbl + {0xcd75d5eb, 0x2551}, // SF240000 + {0xcd7ce3d0, 0x24a7}, // lparen + {0xcd85d846, 0x1eec}, // Uhornhookabove + {0xcd9d27ad, 0x24c7}, // Rcircle + {0xcd9f5a2c, 0x0028}, // parenleft + {0xcda0c667, 0x2018}, // quoteleft + {0xcdab3631, 0xf7ff}, // Ydieresissmall + {0xcdae6ea2, 0xff59}, // ymonospace + {0xcdbb64f4, 0x2105}, // afii61248 + {0xcdd2cfab, 0x24b4}, // yparen + {0xcdd44c7f, 0x33a4}, // cmcubedsquare + {0xcde56fe0, 0x05b6}, // segol + {0xcdea4ff0, 0x03d4}, // Upsilondieresishooksymbolgreek + {0xcdf0bcd8, 0x0e1e}, // phophanthai + {0xcdfd40ec, 0x0180}, // bstroke + {0xce074882, 0x0668}, // afii57400 + {0xce4d2d1e, 0x2563}, // SF230000 + {0xce63250d, 0x005d}, // bracketrightBigg + {0xce6d06c6, 0x0aab}, // phagujarati + {0xce6f0d59, 0x3272}, // mieumacirclekorean + {0xce79a056, 0x3339}, // herutusquare + {0xce8dac39, 0x25a8}, // squareupperrighttolowerleftfill + {0xce942ad9, 0x09a6}, // dabengali + {0xcea39f20, 0x02d5}, // downtackmod + {0xced82ba6, 0xed19}, // bracehtipupleft + {0xcedf2a68, 0x0157}, // rcedilla + {0xcee9759d, 0x043a}, // afii10076 + {0xcef01870, 0x0171}, // udblacute + {0xcef10e83, 0x046a}, // Yusbigcyrillic + {0xcef67881, 0x200c}, // zerowidthnonjoiner + {0xcf235874, 0x030c}, // caroncmb + {0xcf4c6b71, 0x02d4}, // uptackmod + {0xcf6550b0, 0xfb4a}, // tavdageshhebrew + {0xcf6a5e7c, 0x323e}, // ideographicresourceparen + {0xcf738908, 0x011d}, // gcircumflex + {0xcf848334, 0x0453}, // afii10100 + {0xcf8cbf6b, 0x0195}, // hv + {0xcf9b96b5, 0x03bd}, // nu + {0xcfb1da5d, 0xff89}, // nokatakanahalfwidth + {0xcfc386a6, 0x00db}, // Ucircumflex + {0xcfc400d6, 0x06d2}, // yehbarreearabic + {0xcfd8a703, 0xfe61}, // asterisksmall + {0xcfe519cb, 0x309b}, // voicedmarkkana + {0xcfe64e44, 0x0668}, // eighthackarabic + {0xcff88b7d, 0x05b8}, // qamatsqatannarrowhebrew + {0xd009507e, 0x05d3}, // daletqamatshebrew + {0xd0096386, 0x25b3}, // whiteuppointingtriangle + {0xd0227bd1, 0x0199}, // khook + {0xd02a9cfe, 0x0105}, // aogonek + {0xd031b297, 0x24e9}, // zcircle + {0xd03ef2b0, 0x316b}, // rieulpieupsioskorean + {0xd0417b9a, 0x0494}, // Ghemiddlehookcyrillic + {0xd044dddd, 0x0a9d}, // jhagujarati + {0xd04ad0f0, 0x263c}, // sun + {0xd04cc01e, 0x0561}, // aybarmenian + {0xd0511b87, 0x0e4c}, // thanthakhatthai + {0xd056aca3, 0xff9a}, // rekatakanahalfwidth + {0xd06b6bb7, 0x096a}, // fourdeva + {0xd07a803b, 0x09aa}, // pabengali + {0xd07f3aad, 0xf768}, // Hsmall + {0xd0847e20, 0x05c4}, // upperdothebrew + {0xd087e60f, 0x0158}, // Rcaron + {0xd0897bb6, 0x0579}, // chaarmenian + {0xd0c5df61, 0x05b4}, // hiriq14 + {0xd0ce4edc, 0x09e9}, // threebengali + {0xd0d6e6c0, 0xff6c}, // yasmallkatakanahalfwidth + {0xd0e3648a, 0xfd3e}, // parenleftaltonearabic + {0xd133ff70, 0x01a1}, // ohorn + {0xd1373ca2, 0x0648}, // wawarabic + {0xd13d9bf5, 0xfe37}, // braceleftvertical + {0xd13faec5, 0x05e1}, // samekh + {0xd14fc185, 0x045b}, // afii10108 + {0xd17987dd, 0x0543}, // Cheharmenian + {0xd180d934, 0x0621}, // hamzalowkasraarabic + {0xd18447d8, 0x0663}, // threearabic + {0xd18961af, 0xf7fa}, // Uacutesmall + {0xd18966b1, 0x0a82}, // anusvaragujarati + {0xd18d83de, 0x0aa3}, // nnagujarati + {0xd190d310, 0x0a35}, // vagurmukhi + {0xd191827c, 0x0e39}, // sarauuthai + {0xd1acdf44, 0xfb94}, // gafinitialarabic + {0xd1d7231f, 0x04bc}, // Cheabkhasiancyrillic + {0xd1d9da71, 0x30ea}, // rikatakana + {0xd2337241, 0x05b6}, // segol1f + {0xd24297bf, 0xf889}, // maitaikhuleftthai + {0xd247ef8b, 0x3243}, // ideographicreachparen + {0xd254c368, 0x0443}, // ucyrillic + {0xd2658bcb, 0x05b9}, // holamquarterhebrew + {0xd26b0e16, 0x2321}, // integralbt + {0xd26ef570, 0x310f}, // hbopomofo + {0xd293868c, 0x019b}, // lambdastroke + {0xd297cb79, 0x30b7}, // sikatakana + {0xd2b4c516, 0x30da}, // pekatakana + {0xd2c0e1bc, 0x0150}, // Odblacute + {0xd2cbfc99, 0x05b7}, // patahhebrew + {0xd2e2a716, 0x03ec}, // Shimacoptic + {0xd2eaddf5, 0x0633}, // seenarabic + {0xd2f253f5, 0xfe40}, // anglebracketrightvertical + {0xd2f3cdf3, 0x1e0e}, // Dlinebelow + {0xd304784a, 0x05d3}, // dalet + {0xd308b167, 0x1e5b}, // rdotbelow + {0xd310b973, 0x25a1}, // a50 + {0xd310fcc1, 0x04e9}, // obarredcyrillic + {0xd3145153, 0xfeec}, // hehmedialarabic + {0xd326ec6d, 0x2237}, // proportion + {0xd3342503, 0x30bd}, // sokatakana + {0xd33cb244, 0x02cd}, // macronlowmod + {0xd35ba6fb, 0x04be}, // Chedescenderabkhasiancyrillic + {0xd3730282, 0xff64}, // ideographiccommaleft + {0xd3777d75, 0x05d3}, // daletsegolhebrew + {0xd3797e0f, 0x24db}, // lcircle + {0xd37b4bcb, 0x041c}, // afii10030 + {0xd3a5ba29, 0x062e}, // afii57422 + {0xd3c22da1, 0x01b5}, // Zstroke + {0xd3c6a66e, 0x05e4}, // pe + {0xd3cfef4c, 0x0427}, // afii10041 + {0xd3e84c23, 0x201c}, // quotedblleft + {0xd421361f, 0x067e}, // peharabic + {0xd4273f62, 0x30fd}, // iterationkatakana + {0xd44f2d4c, 0xff9b}, // rokatakanahalfwidth + {0xd45c6c89, 0x3079}, // behiragana + {0xd467b0a3, 0x0131}, // dotlessi + {0xd46989dc, 0x05e7}, // qofholam + {0xd48c064b, 0x0599}, // pashtahebrew + {0xd48dad4d, 0x01e2}, // AEmacron + {0xd4b2bb68, 0x0145}, // Ncedilla + {0xd4ce7b9e, 0x0621}, // hamzadammaarabic + {0xd4d3eb56, 0x255e}, // SF360000 + {0xd4e86e58, 0x1ef7}, // yhookabove + {0xd4e92fa8, 0x0623}, // alefhamzaabovearabic + {0xd514a0e0, 0x318c}, // yuikorean + {0xd5189135, 0x1e73}, // udieresisbelow + {0xd52f1d8f, 0x24cb}, // Vcircle + {0xd54b71bd, 0x0a6e}, // eightgurmukhi + {0xd574af4c, 0x318e}, // araeaekorean + {0xd57a206a, 0x00f2}, // ograve + {0xd58ee561, 0x04f3}, // uhungarumlautcyrillic + {0xd5b6f4bf, 0x3163}, // ikorean + {0xd5b7a706, 0x1e13}, // dcircumflexbelow + {0xd5da03ab, 0x0123}, // gcommaaccent + {0xd5da183e, 0xf76e}, // Nsmall + {0xd5dc1f0e, 0x24a5}, // jparen + {0xd5e6a2b4, 0x200f}, // afii300 + {0xd6067104, 0x05bd}, // siluqlefthebrew + {0xd6180af1, 0x0023}, // numbersign + {0xd6191adc, 0x02ce}, // gravelowmod + {0xd6480a61, 0x0e46}, // maiyamokthai + {0xd65815d1, 0x04f5}, // chedieresiscyrillic + {0xd6674587, 0xfea8}, // khahmedialarabic + {0xd66f3b98, 0x1ebd}, // etilde + {0xd67d357f, 0x0e23}, // roruathai + {0xd67dc19d, 0x1e05}, // bdotbelow + {0xd682be7e, 0xfe54}, // semicolonsmall + {0xd689f58d, 0x0024}, // dollar + {0xd68be98a, 0xff8f}, // makatakanahalfwidth + {0xd6a99b0e, 0x05aa}, // yerahbenyomolefthebrew + {0xd6c4c66e, 0x3262}, // tikeutcirclekorean + {0xd6c7e5a6, 0x03b0}, // upsilondieresistonos + {0xd6df6252, 0xfef4}, // yehmedialarabic + {0xd6e234de, 0x044d}, // afii10095 + {0xd7151c8a, 0x040b}, // afii10060 + {0xd71970f6, 0x05d3}, // daletsegol + {0xd71af0cf, 0x00af}, // overscore + {0xd72c6112, 0x0036}, // six + {0xd7363d15, 0x05d3}, // daletholamhebrew + {0xd73b3901, 0x02da}, // ring + {0xd7425de1, 0x0a1d}, // jhagurmukhi + {0xd771b953, 0x3107}, // mbopomofo + {0xd7a40cc3, 0x315c}, // ukorean + {0xd7b7f8a3, 0x3094}, // vuhiragana + {0xd7b8c7af, 0x05b8}, // qamatsquarterhebrew + {0xd7bc737d, 0x230b}, // floorrightBig + {0xd7bf0d2a, 0x308b}, // ruhiragana + {0xd7cebade, 0x01b1}, // Upsilonafrican + {0xd7d268b5, 0x314e}, // hieuhkorean + {0xd7ece605, 0x2553}, // SF520000 + {0xd813ab1a, 0x3176}, // pieupcieuckorean + {0xd816387d, 0x2178}, // nineroman + {0xd8171429, 0x013e}, // lcaron + {0xd817c39d, 0x0664}, // fourhackarabic + {0xd824acfb, 0x05de}, // memhebrew + {0xd82c0976, 0x05e8}, // reshsegolhebrew + {0xd849e14d, 0x3052}, // gehiragana + {0xd84afb0a, 0x00d1}, // Ntilde + {0xd85534fc, 0x02ca}, // secondtonechinese + {0xd8708805, 0x01ba}, // ezhtail + {0xd890928b, 0x0053}, // S + {0xd893adf8, 0x0580}, // reharmenian + {0xd8964f73, 0x043d}, // encyrillic + {0xd89879e8, 0x2116}, // afii61352 + {0xd8a1ab6d, 0x03ab}, // Upsilondieresis + {0xd8b1d2bf, 0x0177}, // ycircumflex + {0xd8faed0d, 0x30ef}, // wakatakana + {0xd9038cdb, 0x32a4}, // ideographichighcircle + {0xd90a7039, 0x06af}, // afii57509 + {0xd91584cd, 0xfe31}, // emdashvertical + {0xd92072b9, 0x0493}, // ghestrokecyrillic + {0xd92d9608, 0x0acd}, // viramagujarati + {0xd932c15c, 0x30ac}, // gakatakana + {0xd93c2940, 0x33cf}, // ktsquare + {0xd94d846e, 0x321a}, // phieuphaparenkorean + {0xd94faf13, 0x0188}, // chook + {0xd95c2f59, 0x04bd}, // cheabkhasiancyrillic + {0xd9697a13, 0x328b}, // ideographfirecircle + {0xd98cc91f, 0x0307}, // dotaccentcmb + {0xd98dcef9, 0xf8ff}, // apple + {0xd991004f, 0x0e4f}, // fongmanthai + {0xd99e3976, 0x249f}, // dparen + {0xd9ba695c, 0xff70}, // katahiraprolongmarkhalfwidth + {0xd9d63664, 0x0189}, // Dafrican + {0xd9e83df4, 0x096b}, // fivedeva + {0xd9eba56d, 0x03b3}, // gamma + {0xda15411c, 0x0304}, // macroncmb + {0xda2037e1, 0x1e01}, // aringbelow + {0xda3670ae, 0x3347}, // mansyonsquare + {0xda38804a, 0xf738}, // eightoldstyle + {0xda39b9df, 0x013d}, // Lcaron + {0xda48ff7e, 0x00bb}, // guillemotright + {0xda4e1891, 0x228b}, // supersetnotequal + {0xda55d0f3, 0x0a69}, // threegurmukhi + {0xda620e6e, 0xfca2}, // tehhahinitialarabic + {0xda734cc8, 0x232b}, // deleteleft + {0xda85eaa3, 0x2070}, // zerosuperior + {0xda94576a, 0x0999}, // ngabengali + {0xda94a677, 0x0634}, // afii57428 + {0xda99b3d7, 0x30d1}, // pakatakana + {0xda9d5f69, 0xf6c8}, // afii10832 + {0xdab46527, 0x21e9}, // arrowdownwhite + {0xdac4a95a, 0x002f}, // slash + {0xdac8670b, 0x011e}, // Gbreve + {0xdace8a4c, 0xed17}, // bracehtipdownleft + {0xdad5813e, 0x24bf}, // Jcircle + {0xdaf9ae21, 0x03e7}, // kheicoptic + {0xdb00acb2, 0x04dc}, // Zhedieresiscyrillic + {0xdb07430c, 0x1eac}, // Acircumflexdotbelow + {0xdb15243d, 0xfb38}, // tetdagesh + {0xdb180684, 0x059d}, // gereshmuqdamhebrew + {0xdb19f222, 0x1e30}, // Kacute + {0xdb215045, 0xf76f}, // Osmall + {0xdb36c0cb, 0x00c1}, // Aacute + {0xdb46a061, 0x044f}, // afii10097 + {0xdb4843d8, 0x0140}, // ldotaccent + {0xdb491e12, 0x3201}, // nieunparenkorean + {0xdb4ecb82, 0x06a4}, // afii57505 + {0xdb5fdfb2, 0x09cd}, // viramabengali + {0xdb7c2cdb, 0xf88f}, // maitholowleftthai + {0xdb8ff30c, 0xf6f5}, // Caronsmall + {0xdb9c2f74, 0x3063}, // tusmallhiragana + {0xdb9dda85, 0xfb3b}, // kafdageshhebrew + {0xdba170e8, 0x0998}, // ghabengali + {0xdbae2c8c, 0x2277}, // greaterorless + {0xdbc3c473, 0x001a}, // controlSUB + {0xdbc6ef9a, 0x05b2}, // hatafpatah23 + {0xdbc71338, 0xff01}, // exclammonospace + {0xdbcb0069, 0x338a}, // pfsquare + {0xdbf12380, 0x2460}, // onecircle + {0xdc0071a3, 0xfb46}, // tsadidageshhebrew + {0xdc05ec50, 0x30f5}, // kasmallkatakana + {0xdc0ac9c6, 0x0028}, // parenleftBigg + {0xdc0ad3ae, 0x012d}, // ibreve + {0xdc0c240d, 0xff9e}, // voicedmarkkanahalfwidth + {0xdc0c9e85, 0xff9f}, // semivoicedmarkkanahalfwidth + {0xdc3d7ac8, 0x04a7}, // pemiddlehookcyrillic + {0xdc41d3b3, 0x05ab}, // olehebrew + {0xdc54447c, 0x307c}, // bohiragana + {0xdc6ca9b3, 0x0584}, // keharmenian + {0xdc7650d9, 0xf73f}, // questionsmall + {0xdc7756d1, 0x0077}, // w + {0xdc7d1de8, 0xfba9}, // hehmedialaltonearabic + {0xdc7f6ca5, 0x0624}, // wawhamzaabovearabic + {0xdcc5c006, 0x055a}, // apostrophearmenian + {0xdce03f6b, 0x261e}, // pointingindexrightwhite + {0xdcefaeeb, 0x228a}, // subsetnotequal + {0xdd07775c, 0x3223}, // fourideographicparen + {0xdd07a474, 0x00b3}, // threesuperior + {0xdd21d4c1, 0x039b}, // Lambda + {0xdd2fee63, 0x0aad}, // bhagujarati + {0xdd4e62a4, 0x0a96}, // khagujarati + {0xdd55f861, 0x2560}, // SF420000 + {0xdd64bab7, 0x3080}, // muhiragana + {0xdd68d3ef, 0x00a5}, // yen + {0xdd8a8538, 0x0a26}, // dagurmukhi + {0xdd9a009b, 0x2016}, // dblverticalbar + {0xdda2fef7, 0x33db}, // srsquare + {0xdda8f1e0, 0x33d4}, // mbsquare + {0xddd89deb, 0xff4d}, // mmonospace + {0xdde406ed, 0x23a8}, // braceleftmid + {0xddfdd08a, 0x30a7}, // esmallkatakana + {0xddfea657, 0x0049}, // I + {0xddffcb32, 0x1e60}, // Sdotaccent + {0xde111430, 0x2271}, // notgreaternorequal + {0xde159412, 0x2605}, // blackstar + {0xde3de1bb, 0xfede}, // lamfinalarabic + {0xde4643cf, 0x0ac5}, // ecandravowelsigngujarati + {0xde5450d1, 0xff88}, // nekatakanahalfwidth + {0xde6c8dd1, 0x2223}, // divides + {0xde91c7ac, 0xfb35}, // vavdagesh + {0xdea63325, 0x0e0c}, // chochoethai + {0xdea93241, 0x0385}, // dieresistonos + {0xdeab4b8b, 0x05ad}, // dehihebrew + {0xdebc4010, 0xfcd5}, // noonmeeminitialarabic + {0xdebf0df4, 0x05f0}, // afii57716 + {0xdecde878, 0x1e52}, // Omacronacute + {0xdee80462, 0xffe5}, // yenmonospace + {0xdee969b3, 0x3001}, // ideographiccomma + {0xdef14eee, 0x020e}, // Oinvertedbreve + {0xdef351c2, 0x020c}, // Odblgrave + {0xdef92b6a, 0x3349}, // mirisquare + {0xdf08e8b4, 0xff15}, // fivemonospace + {0xdf09c757, 0x0186}, // Oopen + {0xdf1ee74b, 0xff81}, // tikatakanahalfwidth + {0xdf243dad, 0x044c}, // softsigncyrillic + {0xdf46fba9, 0x01a4}, // Phook + {0xdf5e1052, 0x221a}, // radicalbig + {0xdf80589a, 0x3217}, // chieuchaparenkorean + {0xdf8c6402, 0x0e45}, // lakkhangyaothai + {0xdf8fbdeb, 0x05e7}, // qofsheva + {0xdf9eaf7a, 0x33bc}, // muwsquare + {0xdfad5d93, 0x22c0}, // logicalandtext + {0xdfaf476d, 0x0167}, // tbar + {0xdfb9632c, 0x3144}, // pieupsioskorean + {0xdfe8c3dc, 0xf7fc}, // Udieresissmall + {0xdff819d0, 0xfe8c}, // yehhamzaabovemedialarabic + {0xdffe3761, 0x1e14}, // Emacrongrave + {0xe0061dae, 0x05d3}, // daletpatah + {0xe0130535, 0x316c}, // rieulpansioskorean + {0xe019189f, 0x0994}, // aubengali + {0xe0197d92, 0x0a4b}, // oomatragurmukhi + {0xe02aebf6, 0xf6e3}, // dollarinferior + {0xe0343a59, 0x0323}, // dotbelowcomb + {0xe03a2368, 0x019f}, // Ocenteredtilde + {0xe0489c79, 0x017f}, // longs + {0xe0513bea, 0xf6ff}, // Zcaronsmall + {0xe0560cdf, 0x1e19}, // ecircumflexbelow + {0xe065671a, 0x1e0a}, // Ddotaccent + {0xe07dfee5, 0x04f4}, // Chedieresiscyrillic + {0xe0800244, 0xfb69}, // ttehmedialarabic + {0xe0831234, 0x007b}, // braceleftBig + {0xe0987417, 0x24dd}, // ncircle + {0xe0ab68f9, 0xf6dc}, // onefitted + {0xe0ac4869, 0x3225}, // sixideographicparen + {0xe0c42e1f, 0x3357}, // wattosquare + {0xe0cf3aca, 0x1e1d}, // ecedillabreve + {0xe0d114bf, 0x04b6}, // Chedescendercyrillic + {0xe0dbd3b5, 0x2494}, // thirteenperiod + {0xe0ec0106, 0x05a6}, // merkhakefulahebrew + {0xe0ec7a9f, 0x01a6}, // yr + {0xe0f957bb, 0x0644}, // afii57444 + {0xe10a53c6, 0x0aa8}, // nagujarati + {0xe13f2d93, 0x3026}, // sixhangzhou + {0xe173c1f2, 0x1e12}, // Dcircumflexbelow + {0xe180ca73, 0x1e43}, // mdotbelow + {0xe1b37094, 0x0629}, // afii57417 + {0xe1bbda55, 0x040e}, // Ushortcyrillic + {0xe1bf1035, 0x0536}, // Zaarmenian + {0xe20234a2, 0x012c}, // Ibreve + {0xe20c937f, 0x041a}, // Kacyrillic + {0xe20deadd, 0x047c}, // Omegatitlocyrillic + {0xe222a727, 0x02dc}, // tildewide + {0xe2234dec, 0xff52}, // rmonospace + {0xe2256c16, 0x05d3}, // daletqamats + {0xe22682ea, 0x3260}, // kiyeokcirclekorean + {0xe22a6510, 0x1e8e}, // Ydotaccent + {0xe23968a4, 0x04b3}, // hadescendercyrillic + {0xe25773d9, 0x04d3}, // adieresiscyrillic + {0xe259edda, 0x0628}, // afii57416 + {0xe25f57e9, 0xfe9a}, // thehfinalarabic + {0xe26168f6, 0x1e82}, // Wacute + {0xe28a564c, 0x044f}, // iacyrillic + {0xe28eea2e, 0x1e51}, // omacrongrave + {0xe2924f7e, 0x0a67}, // onegurmukhi + {0xe2948e05, 0xf6f6}, // Circumflexsmall + {0xe2a7b092, 0x3213}, // pieupaparenkorean + {0xe2b99909, 0x0e14}, // dodekthai + {0xe2cfeeb5, 0x0301}, // acutecomb + {0xe2eccaa5, 0x0059}, // Y + {0xe2ef1bbf, 0x2197}, // arrowupright + {0xe2fc74df, 0x0533}, // Gimarmenian + {0xe2ff3ec5, 0xfb8d}, // rrehfinalarabic + {0xe2ffc4d4, 0x2661}, // heartsuitwhite + {0xe3356dd7, 0x1e54}, // Pacute + {0xe35f1369, 0xfe5c}, // bracerightsmall + {0xe3708e14, 0xfed3}, // fehinitialarabic + {0xe37c75f9, 0x03c7}, // chi + {0xe38423f1, 0x01ab}, // tpalatalhook + {0xe387ebf8, 0xff94}, // yakatakanahalfwidth + {0xe39adf52, 0x05b7}, // patahnarrowhebrew + {0xe39bb5ba, 0x0258}, // ereversed + {0xe3a00fb0, 0x0aa2}, // ddhagujarati + {0xe3a0394c, 0x05b3}, // afii57802 + {0xe3bf40b5, 0x21c5}, // arrowupleftofdown + {0xe3c68591, 0x005d}, // bracketrightBig + {0xe3cbb73f, 0x0459}, // afii10106 + {0xe3cddac1, 0x0621}, // hamzalowarabic + {0xe3d5ad06, 0x1ec0}, // Ecircumflexgrave + {0xe3dd99f7, 0x0596}, // tipehahebrew + {0xe3fae787, 0x0587}, // echyiwnarmenian + {0xe3fe00d6, 0x2170}, // oneroman + {0xe401701f, 0x3016}, // whitelenticularbracketleft + {0xe41d9109, 0x3089}, // rahiragana + {0xe424f4cb, 0x0969}, // threedeva + {0xe42a588e, 0x0e27}, // wowaenthai + {0xe42a6647, 0x0a71}, // addakgurmukhi + {0xe433c6bf, 0x042c}, // afii10046 + {0xe44aea0b, 0x0219}, // scommaaccent + {0xe44ed7aa, 0x2481}, // fourteenparen + {0xe468e60e, 0x33bd}, // mwsquare + {0xe47b4b2e, 0xfecb}, // aininitialarabic + {0xe4896ee4, 0x09c0}, // iivowelsignbengali + {0xe4924345, 0xff63}, // cornerbracketrighthalfwidth + {0xe49ba568, 0x090c}, // lvocalicdeva + {0xe4a8920f, 0x0014}, // controlDC4 + {0xe4c6b94a, 0x0550}, // Reharmenian + {0xe4c91eec, 0x1ea7}, // acircumflexgrave + {0xe4ce70c5, 0xfedf}, // lammeemkhahinitialarabic + {0xe4d0a5c5, 0x2171}, // tworoman + {0xe4de0824, 0x090b}, // rvocalicdeva + {0xe4e78bbf, 0x0e33}, // saraamthai + {0xe4e90251, 0xfb41}, // samekhdagesh + {0xe4f1acea, 0x24d7}, // hcircle + {0xe5034999, 0xff55}, // umonospace + {0xe504c22f, 0x01a9}, // Esh + {0xe506e1eb, 0x2493}, // twelveperiod + {0xe5107e85, 0xff92}, // mekatakanahalfwidth + {0xe5116fc8, 0x2472}, // nineteencircle + {0xe514f37f, 0x03be}, // xi + {0xe51bd3a3, 0x0163}, // tcedilla + {0xe5287de7, 0x3173}, // pieuptikeutkorean + {0xe5322bbf, 0x25b2}, // blackuppointingtriangle + {0xe5431590, 0x2296}, // minuscircle + {0xe54a2cdd, 0x201e}, // quotedblbase + {0xe5694805, 0x3161}, // eukorean + {0xe56f3e08, 0x1e9b}, // slongdotaccent + {0xe5779de7, 0x0666}, // afii57398 + {0xe578bf9d, 0x066d}, // asteriskaltonearabic + {0xe5850206, 0x2226}, // notparallel + {0xe59889e5, 0x014b}, // eng + {0xe59f1c1d, 0x2664}, // spadesuitwhite + {0xe59f1f71, 0x2203}, // thereexists + {0xe5dca65a, 0x04aa}, // Esdescendercyrillic + {0xe5e0ac19, 0x0a74}, // ekonkargurmukhi + {0xe5eb1828, 0x25e6}, // openbullet + {0xe5f403ac, 0x0981}, // candrabindubengali + {0xe5f51e2d, 0x0156}, // Rcedilla + {0xe61a323e, 0x21d2}, // arrowdblright + {0xe61dad29, 0x017b}, // Zdotaccent + {0xe62fb889, 0x2524}, // SF090000 + {0xe65602bc, 0x05d3}, // daletqubuts + {0xe6699f03, 0x025d}, // eopenreversedhook + {0xe6743f55, 0x011a}, // Ecaron + {0xe6861695, 0x018a}, // Dhook + {0xe68d35b4, 0x0436}, // afii10072 + {0xe68e2cfd, 0x306b}, // nihiragana + {0xe6910141, 0x06f1}, // onepersian + {0xe6936418, 0xfb2f}, // alefqamatshebrew + {0xe6a0587d, 0x3222}, // threeideographicparen + {0xe6a445c8, 0xfcd2}, // noonjeeminitialarabic + {0xe6b00dbd, 0x060c}, // commaarabic + {0xe6bd7d55, 0x04f0}, // Udieresiscyrillic + {0xe6beeaab, 0x2667}, // clubsuitwhite + {0xe6d26878, 0x0663}, // threehackarabic + {0xe6eee43a, 0x031a}, // leftangleabovecmb + {0xe70bdf5d, 0x1e85}, // wdieresis + {0xe72762a6, 0x3127}, // ibopomofo + {0xe74e8d5b, 0x02d0}, // colontriangularmod + {0xe75de72d, 0x0a4d}, // halantgurmukhi + {0xe79030f9, 0xf6cf}, // Hungarumlaut + {0xe796e6c1, 0x032f}, // breveinvertedbelowcmb + {0xe7a9201c, 0x24e5}, // vcircle + {0xe7abb869, 0x05b0}, // sheva115 + {0xe7f3b395, 0x24d8}, // icircle + {0xe80a2426, 0x3116}, // rbopomofo + {0xe80eec90, 0x0942}, // uuvowelsigndeva + {0xe832e25c, 0x03ef}, // deicoptic + {0xe836846a, 0x20a1}, // colonsign + {0xe8445eb9, 0x05e5}, // finaltsadihebrew + {0xe84e29b1, 0xfef5}, // lamalefmaddaaboveisolatedarabic + {0xe853fc35, 0x3177}, // pieupthieuthkorean + {0xe871a9d4, 0x03e3}, // sheicoptic + {0xe872f83d, 0x02a0}, // qhook + {0xe87409fd, 0xfe8b}, // yehhamzaaboveinitialarabic + {0xe885d69b, 0x1e58}, // Rdotaccent + {0xe893423b, 0x202c}, // afii61573 + {0xe894f25c, 0x03a1}, // Rho + {0xe89d944f, 0x043a}, // kacyrillic + {0xe8aff9ae, 0x24b7}, // Bcircle + {0xe8d4db79, 0x2320}, // integraltp + {0xe8d6bd29, 0x0621}, // afii57409 + {0xe8ec3154, 0x2490}, // nineperiod + {0xe8ef5782, 0x3092}, // wohiragana + {0xe8f0c584, 0x05d1}, // afii57665 + {0xe8f5ca9b, 0x05b1}, // hatafsegolnarrowhebrew + {0xe8f7e9bf, 0x320f}, // nieunaparenkorean + {0xe903bc23, 0xfb36}, // zayindageshhebrew + {0xe90424fe, 0x2479}, // sixparen + {0xe927829f, 0x0953}, // gravedeva + {0xe92a9522, 0x0060}, // grave + {0xe93b2c93, 0x09c8}, // aivowelsignbengali + {0xe9544ae6, 0x2308}, // ceilingleftbigg + {0xe9598c36, 0x018e}, // Ereversed + {0xe96c43a5, 0x00d4}, // Ocircumflex + {0xe977a63b, 0x0591}, // etnahtalefthebrew + {0xe9860674, 0x2467}, // eightcircle + {0xe994ec07, 0x1e88}, // Wdotbelow + {0xe9955c1b, 0x2109}, // fahrenheit + {0xe997ce80, 0x03d6}, // pisymbolgreek + {0xe9b8fb39, 0x256a}, // SF540000 + {0xe9c5c9e3, 0x0928}, // nadeva + {0xe9dc1b2b, 0x3162}, // yikorean + {0xe9f5bb0b, 0x1e40}, // Mdotaccent + {0xe9fd5bd7, 0x02d1}, // colontriangularhalfmod + {0xe9fe0986, 0xfe91}, // behinitialarabic + {0xea0e9b0d, 0x3077}, // puhiragana + {0xea11b5f2, 0x05d7}, // hethebrew + {0xea281c50, 0xfb3b}, // kafdagesh + {0xea281f0f, 0xfb43}, // pefinaldageshhebrew + {0xea4521ba, 0x1e99}, // yring + {0xea469ad4, 0x0641}, // feharabic + {0xea4bf6ca, 0x25b5}, // whiteuppointingsmalltriangle + {0xea505c24, 0x006b}, // k + {0xea723c32, 0x05b7}, // patahwidehebrew + {0xea828d24, 0x0ac4}, // rrvocalicvowelsigngujarati + {0xea8df8fe, 0xff09}, // parenrightmonospace + {0xeaaa8586, 0x05b6}, // segolhebrew + {0xeabb8dad, 0xfeb3}, // seeninitialarabic + {0xeabdd2cd, 0xff02}, // quotedblmonospace + {0xeacd0b4a, 0xfb1f}, // doubleyodpatah + {0xeade9ba5, 0x2113}, // afii61289 + {0xeb0445d5, 0x043f}, // afii10081 + {0xeb095515, 0x0452}, // afii10099 + {0xeb4a0523, 0x056a}, // zhearmenian + {0xeb4fdea3, 0xfc08}, // behmeemisolatedarabic + {0xeb576d94, 0x21de}, // pageup + {0xeb6b92be, 0x2191}, // arrowtp + {0xeb701704, 0x2014}, // emdash + {0xeb71d801, 0x30f3}, // nkatakana + {0xebeccb02, 0x00dd}, // Yacute + {0xec20a331, 0x096c}, // sixdeva + {0xec450aad, 0x3211}, // rieulaparenkorean + {0xec4fc0c5, 0x0173}, // uogonek + {0xec78ec45, 0x05a4}, // mahapakhhebrew + {0xec820a21, 0x05b4}, // hiriqquarterhebrew + {0xec8ae366, 0x0987}, // ibengali + {0xec967081, 0x040a}, // Njecyrillic + {0xecad584f, 0x01a8}, // tonetwo + {0xecc21039, 0x0a98}, // ghagujarati + {0xecce5cae, 0x056b}, // iniarmenian + {0xecd385c5, 0x03a8}, // Psi + {0xecda4c6b, 0x0622}, // alefmaddaabovearabic + {0xecddb27b, 0x23d0}, // vextendsingle + {0xecddb519, 0x05db}, // kaf + {0xecef01e0, 0x1e59}, // rdotaccent + {0xed102125, 0x24c0}, // Kcircle + {0xed1afc7c, 0x05b2}, // hatafpatah2f + {0xed2b4a43, 0x00aa}, // ordfeminine + {0xed4bb321, 0x313f}, // rieulphieuphkorean + {0xed65d1e6, 0x05e7}, // qofqubutshebrew + {0xed65e3bb, 0x057a}, // peharmenian + {0xed729d82, 0x049e}, // Kastrokecyrillic + {0xed796a9e, 0x0407}, // afii10056 + {0xed8b66db, 0x040b}, // Tshecyrillic + {0xed9bf511, 0x063a}, // afii57434 + {0xedfaec74, 0xfe69}, // dollarsmall + {0xee22e47f, 0x00bd}, // onehalf + {0xee3352d3, 0x05b0}, // afii57799 + {0xee339d2e, 0x2025}, // twodotenleader + {0xee421e32, 0x0660}, // zeroarabic + {0xee6c8858, 0x3168}, // nieunpansioskorean + {0xee7a31f8, 0x220b}, // suchthat + {0xee8d09d6, 0xff12}, // twomonospace + {0xee900f0f, 0x0462}, // afii10146 + {0xee9f1e99, 0x02b7}, // wsuperior + {0xeeb00f1b, 0x0063}, // c + {0xeeb5ef47, 0x24c2}, // Mcircle + {0xeeda5b48, 0x00a6}, // brokenbar + {0xeeeef128, 0x062f}, // afii57423 + {0xeeef7f7c, 0x01b6}, // zstroke + {0xef03e03f, 0x32a3}, // ideographiccorrectcircle + {0xef22f61a, 0x06f0}, // zeropersian + {0xef24cf3c, 0x00a8}, // dieresis + {0xef2800a0, 0x00cc}, // Igrave + {0xef33d78e, 0x25a1}, // H22073 + {0xef3a179c, 0x020a}, // Iinvertedbreve + {0xef636ee0, 0x05da}, // finalkaf + {0xef7afe15, 0x007d}, // bracerightbigg + {0xefa03eab, 0x00c6}, // AE + {0xefc57067, 0x0260}, // ghook + {0xefd65ddd, 0x2033}, // second + {0xefd69119, 0x044e}, // iucyrillic + {0xefd88572, 0x1ecb}, // idotbelow + {0xefe0e3fd, 0xfb01}, // fi + {0xeff59b38, 0x0397}, // Eta + {0xeff843d0, 0x25a3}, // squarewhitewithsmallblack + {0xf00181f3, 0x305c}, // zehiragana + {0xf00455e8, 0x1e86}, // Wdotaccent + {0xf0045976, 0x3178}, // kapyeounpieupkorean + {0xf0213847, 0x3383}, // masquare + {0xf0248bca, 0x0640}, // tatweelarabic + {0xf029041c, 0x3017}, // whitelenticularbracketright + {0xf0412bb8, 0x04d0}, // Abrevecyrillic + {0xf04a093b, 0xff66}, // wokatakanahalfwidth + {0xf04c3677, 0xfe62}, // plussmall + {0xf04d9cf4, 0x308c}, // rehiragana + {0xf064a013, 0x047e}, // Otcyrillic + {0xf0673e49, 0x096f}, // ninedeva + {0xf0757f39, 0x030a}, // ringcmb + {0xf08334d5, 0x05d3}, // dalethatafpatahhebrew + {0xf08a28a9, 0xfe4e}, // lowlinecenterline + {0xf09092b0, 0x3185}, // ssanghieuhkorean + {0xf091911a, 0x223d}, // reversedtilde + {0xf098620b, 0x066a}, // percentarabic + {0xf0a5507a, 0x03d5}, // phisymbolgreek + {0xf0ac995b, 0x337c}, // syouwaerasquare + {0xf0b806fd, 0xfb7c}, // tchehinitialarabic + {0xf0c10455, 0x0645}, // meemarabic + {0xf0d79471, 0x0201}, // adblgrave + {0xf0e2f076, 0x04cb}, // Chekhakassiancyrillic + {0xf0ec6a42, 0x0302}, // circumflexcmb + {0xf0f2a82b, 0x1e8a}, // Xdotaccent + {0xf0fcc511, 0x3398}, // klsquare + {0xf1116d2e, 0xfe41}, // cornerbracketleftvertical + {0xf1200f87, 0x05e6}, // tsadi + {0xf13a2d0d, 0x0119}, // eogonek + {0xf1410096, 0x1e1a}, // Etildebelow + {0xf144c7a3, 0x249d}, // bparen + {0xf15ab600, 0x05bb}, // qubuts18 + {0xf16238a6, 0x04de}, // Zedieresiscyrillic + {0xf1aad12e, 0x0638}, // afii57432 + {0xf1b08e52, 0x20ab}, // dong + {0xf1b0be56, 0x20a2}, // cruzeiro + {0xf1b5f5d1, 0x05b5}, // tserehebrew + {0xf1dd7830, 0x033d}, // xabovecmb + {0xf1ddaa7d, 0x0995}, // kabengali + {0xf1e94d64, 0x064e}, // fathaarabic + {0xf1eb4f66, 0x0116}, // Edotaccent + {0xf1f2ec50, 0x05e7}, // qofhatafsegol + {0xf1f78ce7, 0x226a}, // muchless + {0xf2118c6c, 0x0635}, // sadarabic + {0xf232181a, 0x2640}, // venus + {0xf237f0f1, 0xff29}, // Imonospace + {0xf23a5b68, 0x0130}, // Idot + {0xf24a3a6b, 0x05b8}, // qamats1c + {0xf2558e7a, 0x230a}, // floorleftbig + {0xf2620ee8, 0x1e07}, // blinebelow + {0xf26e5910, 0x045e}, // ushortcyrillic + {0xf2b4963c, 0x09b0}, // rabengali + {0xf2b826ec, 0x0449}, // shchacyrillic + {0xf2c1d44e, 0x05be}, // maqafhebrew + {0xf2c69081, 0x016e}, // Uring + {0xf2dd8deb, 0x248d}, // sixperiod + {0xf2e23a0c, 0xfb57}, // pehfinalarabic + {0xf2e7f536, 0x0329}, // verticallinebelowcmb + {0xf2efdad2, 0x05e8}, // reshqamats + {0xf2f52e6c, 0x00ce}, // Icircumflex + {0xf2f6e905, 0x24cd}, // Xcircle + {0xf3086f4b, 0x2030}, // perthousand + {0xf311fe21, 0xfece}, // ghainfinalarabic + {0xf315dbae, 0xfe3c}, // blacklenticularbracketrightvertical + {0xf31fc2c2, 0xf76d}, // Msmall + {0xf336d994, 0xfef3}, // yehinitialarabic + {0xf3527249, 0xfb67}, // ttehfinalarabic + {0xf365ee1e, 0xf6f8}, // Hungarumlautsmall + {0xf3935843, 0xff26}, // Fmonospace + {0xf399cd14, 0x0074}, // t + {0xf3ab1b0a, 0x05d3}, // dalethatafsegol + {0xf3c08521, 0x0431}, // afii10066 + {0xf3ce4ef0, 0x014a}, // Eng + {0xf3cfe996, 0x05b8}, // qamatsde + {0xf3ef0654, 0x2160}, // Oneroman + {0xf41c3e87, 0x3182}, // yesieungsioskorean + {0xf4266df0, 0x2253}, // imageorapproximatelyequal + {0xf4584280, 0x05ea}, // tav + {0xf4637345, 0x207a}, // plussuperior + {0xf467a09a, 0x3066}, // tehiragana + {0xf4728f62, 0x06f9}, // ninepersian + {0xf47778a3, 0x0958}, // qadeva + {0xf47c7f06, 0x05a5}, // merkhalefthebrew + {0xf4970a5b, 0x222b}, // integraldisplay + {0xf498c20b, 0xfb2c}, // shindageshshindothebrew + {0xf4a0d900, 0xf7e6}, // AEsmall + {0xf4a2e6c9, 0xff8e}, // hokatakanahalfwidth + {0xf4c721dd, 0x0415}, // afii10022 + {0xf4d1afd1, 0x015b}, // sacute + {0xf4d731e8, 0x0e2b}, // hohipthai + {0xf4d7dcfe, 0x05b0}, // sheva + {0xf4ea5918, 0x0423}, // afii10037 + {0xf4f5b85f, 0x05bd}, // afii57839 + {0xf4fec4c5, 0x2026}, // ellipsis + {0xf4fecbee, 0x3152}, // yaekorean + {0xf521dc0d, 0xf777}, // Wsmall + {0xf526b2bc, 0x09f5}, // twonumeratorbengali + {0xf53d898f, 0x0122}, // Gcedilla + {0xf54df907, 0x02e8}, // tonebarlowmod + {0xf573def2, 0x25ba}, // blackrightpointingpointer + {0xf573f1ec, 0x24a4}, // iparen + {0xf59704d9, 0xff4f}, // omonospace + {0xf59943f5, 0x01d4}, // ucaron + {0xf59f95da, 0x0399}, // Iota + {0xf5a6729d, 0x247e}, // elevenparen + {0xf5ab4f6d, 0x0458}, // afii10105 + {0xf5c2a87b, 0x0a14}, // augurmukhi + {0xf5c40812, 0x2019}, // quoteright + {0xf5cad972, 0x1ea6}, // Acircumflexgrave + {0xf5e83826, 0x0986}, // aabengali + {0xf5f606a8, 0x316e}, // mieumpieupkorean + {0xf5f79af6, 0x23a3}, // bracketleftbt + {0xf5fe99ee, 0x2017}, // underscoredbl + {0xf61328eb, 0x2580}, // upblock + {0xf61a2336, 0x0157}, // rcommaaccent + {0xf6228c58, 0x20a3}, // franc + {0xf6271ec7, 0x0429}, // afii10043 + {0xf630815e, 0x0577}, // shaarmenian + {0xf643d64b, 0xf774}, // Tsmall + {0xf64f0a5d, 0x30f9}, // vekatakana + {0xf64f6666, 0xff44}, // dmonospace + {0xf6545660, 0x3333}, // huiitosquare + {0xf655e1cb, 0x316a}, // rieultikeutkorean + {0xf66aa028, 0x215d}, // fiveeighths + {0xf67e1ed1, 0x01a3}, // oi + {0xf6886180, 0x3216}, // cieucaparenkorean + {0xf68c8679, 0x3043}, // ismallhiragana + {0xf68fb68d, 0x215b}, // oneeighth + {0xf6909b76, 0x24a1}, // fparen + {0xf69fb673, 0xf7e4}, // Adieresissmall + {0xf6b386e5, 0x1e3c}, // Lcircumflexbelow + {0xf6c0ec85, 0x1e5c}, // Rdotbelowmacron + {0xf6ea45f8, 0xf6fa}, // OEsmall + {0xf6f2a8b6, 0x0289}, // ubar + {0xf7114d7b, 0x2502}, // SF110000 + {0xf7440454, 0x045e}, // afii10110 + {0xf757213f, 0x01d6}, // udieresismacron + {0xf779fd74, 0x1ea0}, // Adotbelow + {0xf7887f64, 0x24ba}, // Ecircle + {0xf7994ed0, 0x0a6d}, // sevengurmukhi + {0xf7c65164, 0x266d}, // musicflatsign + {0xf7d4f2e3, 0x1e1e}, // Fdotaccent + {0xf7ddf3cd, 0x0a17}, // gagurmukhi + {0xf7de3a36, 0x3086}, // yuhiragana + {0xf7edf1a3, 0x0403}, // Gjecyrillic + {0xf7fe7207, 0x279e}, // arrowrightheavy + {0xf7fec616, 0x1ec4}, // Ecircumflextilde + {0xf81e4626, 0x0a02}, // bindigurmukhi + {0xf8245f14, 0x30e6}, // yukatakana + {0xf82ad190, 0x05e4}, // pehebrew + {0xf8376f18, 0x0410}, // afii10017 + {0xf885c738, 0x30d3}, // bikatakana + {0xf8868f94, 0xff8c}, // hukatakanahalfwidth + {0xf8892150, 0x04a8}, // Haabkhasiancyrillic + {0xf89a4fca, 0x05d3}, // daletholam + {0xf89be814, 0x0abc}, // nuktagujarati + {0xf8e483f7, 0x1eb5}, // abrevetilde + {0xf8ef289b, 0x21df}, // pagedown + {0xf90377b2, 0x3151}, // yakorean + {0xf90f516b, 0x0a5b}, // zagurmukhi + {0xf9190810, 0x0203}, // ainvertedbreve + {0xf929be43, 0x0ab6}, // shagujarati + {0xf93a01ea, 0xfe6a}, // percentsmall + {0xf952cde5, 0x1eae}, // Abreveacute + {0xf95ad1c7, 0x0065}, // e + {0xf95b34b0, 0x0660}, // afii57392 + {0xf976011b, 0x3399}, // fmsquare + {0xf99ebcf4, 0x25c1}, // whiteleftpointingtriangle + {0xf9bdabb3, 0x00e2}, // acircumflex + {0xf9d67642, 0x00c8}, // Egrave + {0xf9e5170b, 0x1eb6}, // Abrevedotbelow + {0xf9e8161d, 0x3206}, // siosparenkorean + {0xf9eeaebc, 0x002c}, // comma + {0xf9f4a348, 0x2279}, // notgreaternorless + {0xf9f6f2fe, 0xfe84}, // alefhamzaabovefinalarabic + {0xf9f909db, 0x09f1}, // ralowerdiagonalbengali + {0xfa1f37f7, 0x207d}, // parenleftsuperior + {0xfa3ebdeb, 0xfb8b}, // jehfinalarabic + {0xfa46e08a, 0x010a}, // Cdotaccent + {0xfa6e953f, 0x0e13}, // nonenthai + {0xfa7aad8b, 0x0e34}, // saraithai + {0xfa85b29d, 0x0ae6}, // zerogujarati + {0xfa8f771c, 0xfe82}, // alefmaddaabovefinalarabic + {0xfa932832, 0x1ec9}, // ihookabove + {0xfa9cd43f, 0x2488}, // oneperiod + {0xfa9f7510, 0x1e6a}, // Tdotaccent + {0xfaa7f693, 0xff1b}, // semicolonmonospace + {0xfab3dba6, 0x3138}, // ssangtikeutkorean + {0xfac03db8, 0x015e}, // Scedilla + {0xfac092ef, 0x24de}, // ocircle + {0xfad44b21, 0x278d}, // fourcircleinversesansserif + {0xfadde282, 0x0539}, // Toarmenian + {0xfaf8abd4, 0x05bb}, // qubuts25 + {0xfb0a35fb, 0xfb2b}, // afii57695 + {0xfb0e1bad, 0x2567}, // SF450000 + {0xfb1373b2, 0x30b9}, // sukatakana + {0xfb161300, 0x049f}, // kastrokecyrillic + {0xfb206015, 0x30b1}, // kekatakana + {0xfb2465d5, 0x0468}, // Yuslittleiotifiedcyrillic + {0xfb3e0b48, 0x01fc}, // AEacute + {0xfb4678bc, 0xfe90}, // behfinalarabic + {0xfb5bf4b4, 0x02cf}, // acutelowmod + {0xfb5cfdc8, 0x095c}, // dddhadeva + {0xfb6edad4, 0xf6c9}, // Acute + {0xfb764dd2, 0x21d3}, // arrowdbldown + {0xfb7c1fd7, 0x0485}, // dasiapneumatacyrilliccmb + {0xfbcf44c4, 0x018d}, // deltaturned + {0xfbd1b93f, 0x33c4}, // squarecc + {0xfbd50511, 0x04e8}, // Obarredcyrillic + {0xfbf1fcde, 0x03e9}, // horicoptic + {0xfc161b2f, 0x2499}, // eighteenperiod + {0xfc18556b, 0x02bd}, // commareversedmod + {0xfc1a2c97, 0x046c}, // Yusbigiotifiedcyrillic + {0xfc2caf5c, 0x2285}, // notsuperset + {0xfc3393bc, 0x0124}, // Hcircumflex + {0xfc3a32c2, 0x0a8d}, // ecandragujarati + {0xfc75d31c, 0x1ec6}, // Ecircumflexdotbelow + {0xfc7e1ef8, 0x0952}, // anudattadeva + {0xfc7ea01a, 0x04e6}, // Odieresiscyrillic + {0xfc8020b6, 0xfb39}, // yoddageshhebrew + {0xfc828b2d, 0x1ee4}, // Udotbelow + {0xfc9cf271, 0x020d}, // odblgrave + {0xfcd52169, 0xf7ed}, // Iacutesmall + {0xfce47bc6, 0x05b7}, // patah + {0xfce8ddc1, 0x1e0f}, // dlinebelow + {0xfce9ddb5, 0x05aa}, // yerahbenyomohebrew + {0xfcf6e2a9, 0x21ea}, // capslock + {0xfd00e31a, 0x0303}, // tildecomb + {0xfd0eac29, 0x0261}, // gscript + {0xfd1397ce, 0x0412}, // Vecyrillic + {0xfd166ead, 0x05e0}, // nunhebrew + {0xfd2c8feb, 0x1ea4}, // Acircumflexacute + {0xfd5ace9a, 0x057b}, // jheharmenian + {0xfd6ac237, 0x221d}, // proportional + {0xfd77296d, 0x04af}, // ustraightcyrillic + {0xfd891a4c, 0x0948}, // aivowelsigndeva + {0xfd8944f5, 0x0309}, // hookabovecomb + {0xfd89977d, 0x0e50}, // zerothai + {0xfd93a170, 0xf8ec}, // parenleftex + {0xfd99bb06, 0xfb3c}, // lameddagesh + {0xfdb6c57c, 0x2215}, // divisionslash + {0xfdbbbec8, 0x090d}, // ecandradeva + {0xfdc83f1f, 0x028d}, // wturned + {0xfdd37935, 0x0422}, // afii10036 + {0xfdec640d, 0x0640}, // kashidaautoarabic + {0xfdf32442, 0x3390}, // Hzsquare + {0xfdf4c83e, 0x026e}, // lezh + {0xfe3d55df, 0x064f}, // dammaarabic + {0xfe407199, 0x2276}, // lessorgreater + {0xfe7515f3, 0x03a9}, // Omegagreek + {0xfe779a6a, 0x045a}, // afii10107 + {0xfea7088a, 0x0628}, // beharabic + {0xfeb66fd9, 0xfec7}, // zahinitialarabic + {0xfeb7f263, 0x0556}, // Feharmenian + {0xfec7bc3b, 0x0651}, // shaddaarabic + {0xfee2004d, 0x01fe}, // Ostrokeacute + {0xfee5f25e, 0x2126}, // Omega + {0xfee9d86c, 0x2295}, // pluscircle + {0xfef651f8, 0x0688}, // afii57512 + {0xff5dadf4, 0x0193}, // Ghook + {0xff7d5e86, 0x05e7}, // qoftserehebrew + {0xff81c116, 0x21cd}, // arrowleftdblstroke + {0xff8c00d8, 0x3386}, // MBsquare + {0xff8f2931, 0x30ae}, // gikatakana + {0xff90fc92, 0x0923}, // nnadeva + {0xff94689d, 0x04c0}, // palochkacyrillic + {0xffce1162, 0xf734}, // fouroldstyle + {0xffe38169, 0x043f}, // pecyrillic + {0xfffadc30, 0x2568}, // SF460000 +}; + + +/** Returns the Unicode point for a given PostScript character name. + * @param psname PostScript name of the character to look up + * @return codepoint of the character */ +Int32 Unicode::psNameToCodepoint (const string &psname) { + UInt32 hash = XXH32(&psname[0], psname.length(), 0); + int left=0; + int right=sizeof(hash2unicode)/sizeof(Hash2Unicode)-1; + while (left <= right) { + int mid = left+(right-left)/2; + if (hash == hash2unicode[mid].hash) + return hash2unicode[mid].codepoint; + if (hash < hash2unicode[mid].hash) + right = mid-1; + else + left = mid+1; + } + return 0; +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Unicode.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Unicode.h new file mode 100644 index 00000000000..738f38a6e3a --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/Unicode.h @@ -0,0 +1,35 @@ +/************************************************************************* +** Unicode.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_UNICODE_H +#define DVISVGM_UNICODE_H + +#include <string> +#include "types.h" + +struct Unicode +{ + static bool isValidCodepoint (UInt32 code); + static UInt32 charToCodepoint (UInt32 c); + static std::string utf8 (Int32 c); + static Int32 psNameToCodepoint (const std::string &psname); +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/VFActions.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/VFActions.h new file mode 100644 index 00000000000..886771e75a7 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/VFActions.h @@ -0,0 +1,38 @@ +/************************************************************************* +** VFActions.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_VFACTIONS_H +#define DVISVGM_VFACTIONS_H + +#include <string> +#include <vector> +#include "types.h" + + +struct VFActions +{ + virtual ~VFActions () {} + virtual void preamble (std::string comment, UInt32 checksum, double dsize) {} + virtual void postamble () {} + virtual void defineVFFont (UInt32 fontnum, std::string path, std::string name, UInt32 checksum, double dsize, double ssize) {} + virtual void defineVFChar (UInt32 c, std::vector<UInt8> *dvi) {} +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/VFReader.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/VFReader.cpp new file mode 100644 index 00000000000..f17a82c02f7 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/VFReader.cpp @@ -0,0 +1,192 @@ +/************************************************************************* +** VFReader.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <sstream> +#include "Font.h" +#include "VFActions.h" +#include "VFReader.h" +#include "macros.h" + +using namespace std; + + +/** Converts a TFM fix point value to double (PS point units). */ +static inline double fix2double (FixWord fix) { + const double pt2bp = 72/72.27; + return double(fix)/(1 << 20)*pt2bp; +} + + +VFReader::VFReader (istream &is) + : StreamReader(is), _actions(0), _designSize(0) { +} + + +VFReader::~VFReader () { +} + + +VFActions* VFReader::replaceActions (VFActions *a) { + VFActions *ret = _actions; + _actions = a; + return ret; +} + + +/** Reads a single VF command from the current position of the input stream and calls the + * corresponding cmdFOO method. The execution can be influenced by a function of type ApproveOpcode. + * It takes an opcode and returns true if the command is supposed to be executed. + * @param[in] approve function to approve invocation of the action assigned to command + * @return opcode of the executed command */ +int VFReader::executeCommand (ApproveAction approve) { + int opcode = readByte(); + if (!isStreamValid() || opcode < 0) // at end of file? + throw VFException("invalid VF file"); + + bool approved = !approve || approve(opcode); + VFActions *actions = _actions; + if (!approved) + replaceActions(0); // disable actions + + if (opcode <= 241) // short character definition? + cmdShortChar(opcode); + else if (opcode >= 243 && opcode <= 246) // font definition? + cmdFontDef(opcode-243+1); + else { + switch (opcode) { + case 242: cmdLongChar(); break; // long character definition + case 247: cmdPre(); break; // preamble + case 248: cmdPost(); break; // postamble + default : { // invalid opcode + replaceActions(actions); // reenable actions + ostringstream oss; + oss << "undefined VF command (opcode " << opcode << ')'; + throw VFException(oss.str()); + } + } + } + replaceActions(actions); // reenable actions + return opcode; +} + + +bool VFReader::executeAll () { + clearStream(); // reset all status bits + if (!isStreamValid()) + return false; + seek(0); // move file pointer to first byte of the input stream + while (!eof() && executeCommand() != 248); // stop reading after post (248) + return true; +} + + +/// Returns true if op indicates the preamble or a font definition +static bool is_pre_or_fontdef (int op) {return op > 242;} +static bool is_chardef (int op) {return op < 243;} + + +bool VFReader::executePreambleAndFontDefs () { + clearStream(); + if (!isStreamValid()) + return false; + seek(0); // move file pointer to first byte of the input stream + while (!eof() && executeCommand(is_pre_or_fontdef) > 242); // stop reading after last font definition + return true; +} + + +bool VFReader::executeCharDefs () { + clearStream(); + if (!isStreamValid()) + return false; + seek(0); + while (!eof() && executeCommand(is_chardef) < 243); // stop reading after last char definition + return true; +} + +////////////////////////////////////////////////////////////////////////////// + +/** Reads and executes DVI preamble command. */ +void VFReader::cmdPre () { + UInt32 i = readUnsigned(1); // identification number (should be 2) + UInt32 k = readUnsigned(1); // length of following comment + string cmt = readString(k); // comment + UInt32 cs = readUnsigned(4); // check sum to be compared with TFM cecksum + UInt32 ds = readUnsigned(4); // design size (same as TFM design size) (fix_word) + _designSize = fix2double(ds); + if (i != 202) + throw VFException("invalid identification value in preamble"); + if (_actions) + _actions->preamble(cmt, cs, ds); +} + + +void VFReader::cmdPost () { + while ((readUnsigned(1)) == 248); // skip fill bytes + if (_actions) + _actions->postamble(); +} + + +void VFReader::cmdLongChar () { + UInt32 pl = readUnsigned(4); // packet length (length of DVI subroutine) + if (!_actions) + seek(8+pl, ios::cur); // skip remaining char definition bytes + else { + UInt32 cc = readUnsigned(4); // character code + readUnsigned(4); // character width from corresponding TFM file + vector<UInt8> *dvi = new vector<UInt8>(pl); // DVI subroutine + readBytes(pl, *dvi); + _actions->defineVFChar(cc, dvi); // call template method for user actions + } +} + + +/** Reads and executes short_char_x command. + * @param[in] pl packet length (length of DVI subroutine) */ +void VFReader::cmdShortChar (int pl) { + if (!_actions) + seek(4+pl, ios::cur); // skip char definition bytes + else { + UInt32 cc = readUnsigned(1); // character code + readUnsigned(3); // character width from corresponding TFM file + vector<UInt8> *dvi = new vector<UInt8>(pl); // DVI subroutine + readBytes(pl, *dvi); + _actions->defineVFChar(cc, dvi); // call template method for user actions + } +} + + +void VFReader::cmdFontDef (int len) { + UInt32 fontnum = readUnsigned(len); // font number + UInt32 checksum = readUnsigned(4); // font checksum (to be compared with corresponding TFM checksum) + UInt32 ssize = readUnsigned(4); // scaled size of font relative to design size (fix_word) + UInt32 dsize = readUnsigned(4); // design size of font (same as TFM design size) (fix_word) + UInt32 pathlen = readUnsigned(1); // length of font path + UInt32 namelen = readUnsigned(1); // length of font name + string fontpath = readString(pathlen); + string fontname = readString(namelen); + if (_actions) { + double ss = fix2double(ssize); + double ds = fix2double(dsize); + _actions->defineVFFont(fontnum, fontpath, fontname, checksum, ds, ss*_designSize); + } +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/VFReader.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/VFReader.h new file mode 100644 index 00000000000..00467f5746a --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/VFReader.h @@ -0,0 +1,65 @@ +/************************************************************************* +** VFReader.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_VFREADER_H +#define DVISVGM_VFREADER_H + +#include "MessageException.h" +#include "StreamReader.h" +#include "types.h" + + +struct VFException : public MessageException +{ + VFException (const std::string &msg) : MessageException(msg) {} +}; + + +struct VFActions; + + +class VFReader : public StreamReader +{ + typedef bool (*ApproveAction)(int); + public: + VFReader (std::istream &is); + virtual ~VFReader (); + VFActions* replaceActions (VFActions *a); + bool executeAll (); + bool executePreambleAndFontDefs (); + bool executeCharDefs (); + + protected: + int executeCommand (ApproveAction approve=0); + + // the following methods represent the VF commands + // they are called by executeCommand and should not be used directly + void cmdPre (); + void cmdPost (); + void cmdShortChar (int pl); + void cmdLongChar (); + void cmdFontDef (int len); + + private: + VFActions *_actions; ///< actions to execute when reading a VF command + double _designSize; ///< design size of currently read VF +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/VectorIterator.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/VectorIterator.h new file mode 100644 index 00000000000..dc27327a60c --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/VectorIterator.h @@ -0,0 +1,109 @@ +/************************************************************************* +** VectorIterator.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef VECTORITERATOR_H +#define VECTORITERATOR_H + +#include <vector> +#include "MessageException.h" + + +struct IteratorException : public MessageException +{ + IteratorException (const std::string &msg) : MessageException(msg) {} +}; + + +template <typename T> +class VectorIterator +{ + public: + VectorIterator (std::vector<T> &vec) : _vector(vec), _pos(0) {} + + VectorIterator operator ++ () { + _pos++; + return *this; + } + + VectorIterator operator ++ (int) { + VectorIterator it = *this; + _pos++; + return it; + } + + VectorIterator operator -- () { + _pos--; + return *this; + } + + VectorIterator operator -- (int) { + VectorIterator it = *this; + _pos--; + return it; + } + + VectorIterator operator += (int n) { + _pos += n; + return *this; + } + + VectorIterator operator -= (int n) { + _pos -= n; + return *this; + } + + VectorIterator operator + (int n) { + return VectorIterator(_vector, _pos+n); + } + + VectorIterator operator - (int n) { + return VectorIterator(_vector, _pos-n); + } + + T& operator * () { + if (valid()) + return _vector[_pos]; + throw IteratorException("invalid access"); + } + + T* operator -> () { + if (valid()) + return &_vector[_pos]; + throw IteratorException("invalid access"); + } + + bool operator == (const VectorIterator &it) const {return _pos == it._pos;} + bool operator != (const VectorIterator &it) const {return _pos != it._pos;} + bool operator <= (const VectorIterator &it) const {return _pos <= it._pos;} + bool operator >= (const VectorIterator &it) const {return _pos >= it._pos;} + bool operator < (const VectorIterator &it) const {return _pos < it._pos;} + bool operator > (const VectorIterator &it) const {return _pos > it._pos;} + bool valid () const {return _pos >= 0 && _pos < _vector.size();} + void invalidate () {_pos = _vector.size();} + + protected: + VectorIterator (std::vector<T> &vec, size_t pos) : _vector(vec), _pos(pos) {} + + private: + std::vector<T> &_vector; + size_t _pos; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/VectorStream.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/VectorStream.h new file mode 100644 index 00000000000..f3043943669 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/VectorStream.h @@ -0,0 +1,46 @@ +/************************************************************************* +** VectorStream.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_VECTORSTREAM_H +#define DVISVGM_VECTORSTREAM_H + +#include <istream> +#include <vector> + + +template <typename T> +struct VectorStreamBuffer : public std::streambuf +{ + VectorStreamBuffer (std::vector<T> &source) { + setg((char*)&source[0], (char*)&source[0], (char*)&source[0]+source.size()); + } +}; + + +template <typename T> +class VectorInputStream : public std::istream +{ + public: + VectorInputStream (std::vector<T> &source) : std::istream(&_buf), _buf(source) {} + private: + VectorStreamBuffer<T> _buf; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/XMLDocument.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/XMLDocument.cpp new file mode 100644 index 00000000000..6b73f7cd436 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/XMLDocument.cpp @@ -0,0 +1,74 @@ +/************************************************************************* +** XMLDocument.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include "macros.h" +#include "XMLDocument.h" + +using namespace std; + +XMLDocument::XMLDocument (XMLElementNode *root) + : _rootElement(root) +{ +} + + +XMLDocument::~XMLDocument () { + clear(); +} + + +void XMLDocument::clear () { + delete _rootElement; + _rootElement = 0; + FORALL(_nodes, list<XMLNode*>::iterator, i) + delete *i; + _nodes.clear(); +} + + +void XMLDocument::append (XMLNode *node) { + if (!node) + return; + XMLElementNode *newRoot = dynamic_cast<XMLElementNode*>(node); + if (newRoot) { // there can only be one root element node in the document + delete _rootElement; // so if there is already one... + _rootElement = newRoot; // ...we replace it + } + else + _nodes.push_back(node); +} + + +void XMLDocument::setRootNode (XMLElementNode *root) { + delete _rootElement; + _rootElement = root; +} + + +ostream& XMLDocument::write (ostream &os) const { + if (_rootElement) { // no root element => no output + os << "<?xml version='1.0'?>\n"; + FORALL(_nodes, list<XMLNode*>::const_iterator, i) + (*i)->write(os); + _rootElement->write(os); + } + return os; +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/XMLDocument.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/XMLDocument.h new file mode 100644 index 00000000000..e3b2727dfd9 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/XMLDocument.h @@ -0,0 +1,42 @@ +/************************************************************************* +** XMLDocument.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_XMLDOCUMENT_H +#define DVISVGM_XMLDOCUMENT_H + +#include "XMLNode.h" + +class XMLDocument +{ + public: + XMLDocument (XMLElementNode *root=0); + ~XMLDocument (); + void clear (); + void append (XMLNode *node); + void setRootNode (XMLElementNode *root); + const XMLElementNode* getRootElement () const {return _rootElement;} + std::ostream& write (std::ostream &os) const; + + private: + std::list<XMLNode*> _nodes; + XMLElementNode *_rootElement; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/XMLNode.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/XMLNode.cpp new file mode 100644 index 00000000000..4fd3b997391 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/XMLNode.cpp @@ -0,0 +1,254 @@ +/************************************************************************* +** XMLNode.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <map> +#include <list> +#include "macros.h" +#include "XMLNode.h" +#include "XMLString.h" + +using namespace std; + + +XMLElementNode::XMLElementNode (const string &n) : _name(n) { +} + + +XMLElementNode::XMLElementNode (const XMLElementNode &node) + : _name(node._name), _attributes(node._attributes) +{ + FORALL(node._children, ChildList::const_iterator, it) + _children.push_back((*it)->clone()); +} + + +XMLElementNode::~XMLElementNode () { + while (!_children.empty()) { + delete _children.back(); + _children.pop_back(); + } +} + + +void XMLElementNode::clear () { + _attributes.clear(); + while (!_children.empty()) { + delete _children.back(); + _children.pop_back(); + } +} + + +void XMLElementNode::addAttribute (const string &name, const string &value) { + _attributes[name] = value; +} + + +void XMLElementNode::addAttribute (const string &name, double value) { + _attributes[name] = XMLString(value); +} + + +void XMLElementNode::append (XMLNode *child) { + if (!child) + return; + XMLTextNode *textNode1 = dynamic_cast<XMLTextNode*>(child); + if (!textNode1 || _children.empty()) + _children.push_back(child); + else { + if (XMLTextNode *textNode2 = dynamic_cast<XMLTextNode*>(_children.back())) + textNode2->append(textNode1); // merge two consecutive text nodes + else + _children.push_back(child); + } +} + + +void XMLElementNode::append (const string &str) { + if (_children.empty() || !dynamic_cast<XMLTextNode*>(_children.back())) + _children.push_back(new XMLTextNode(str)); + else + static_cast<XMLTextNode*>(_children.back())->append(str); +} + + +void XMLElementNode::prepend (XMLNode *child) { + if (!child) + return; + XMLTextNode *textNode1 = dynamic_cast<XMLTextNode*>(child); + if (!textNode1 || _children.empty()) + _children.push_front(child); + else { + if (XMLTextNode *textNode2 = dynamic_cast<XMLTextNode*>(_children.front())) + textNode2->prepend(textNode1); // merge two consecutive text nodes + else + _children.push_front(child); + } +} + + +/** Inserts a new child node before a given child node already present. The latter + * will be the following sibling of the node to be inserted. If there's no such + * node present, nothing is inserted. + * @param[in] child node to be inserted + * @param[in] sibling following sibling of 'child' + * @return true on success */ +bool XMLElementNode::insertBefore (XMLNode *child, XMLNode *sibling) { + ChildList::iterator it = _children.begin(); + while (it != _children.end() && *it != sibling) + ++it; + if (it == _children.end()) + return false; + _children.insert(it, child); + return true; +} + + +/** Inserts a new child node after a given child node already present. The latter + * will be the preceding sibling of the node to be inserted. If there's no such + * node present, nothing is inserted. + * @param[in] child node to be inserted + * @param[in] sibling preceding sibling of 'child' + * @return true on success */ +bool XMLElementNode::insertAfter (XMLNode *child, XMLNode *sibling) { + ChildList::iterator it = _children.begin(); + while (it != _children.end() && *it != sibling) + ++it; + if (it == _children.end()) + return false; + _children.insert(++it, child); + return true; +} + + +/** Gets all descendant elements with a given name and given attribute. + * @param[in] name name of elements to find + * @param[in] attrName name of attribute to find + * @param[out] descendants all elements found + * @return true if at least one element was found */ +bool XMLElementNode::getDescendants (const char *name, const char *attrName, vector<XMLElementNode*> &descendants) const { + FORALL(_children, ChildList::const_iterator, it) { + if (XMLElementNode *elem = dynamic_cast<XMLElementNode*>(*it)) { + if ((!name || elem->getName() == name) && (!attrName || elem->hasAttribute(attrName))) + descendants.push_back(elem); + elem->getDescendants(name, attrName, descendants); + } + } + return !descendants.empty(); +} + + +/** Returns the first descendant element that matches the given properties in depth first order. + * @param[in] name element name; if 0, all elements are taken into account + * @param[in] attrName if not 0, only elements with an attribute of this name are considered + * @param[in] attrValue if not 0, only elements with attribute attrName="attrValue" are considered + * @return pointer to the found element or 0 */ +XMLElementNode* XMLElementNode::getFirstDescendant (const char *name, const char *attrName, const char *attrValue) const { + FORALL(_children, ChildList::const_iterator, it) { + if (XMLElementNode *elem = dynamic_cast<XMLElementNode*>(*it)) { + if (!name || elem->getName() == name) { + const char *value; + if (!attrName || (((value = elem->getAttributeValue(attrName)) != 0) && (!attrValue || string(value) == attrValue))) + return elem; + } + if (XMLElementNode *descendant = elem->getFirstDescendant(name, attrName, attrValue)) + return descendant; + } + } + return 0; +} + + +ostream& XMLElementNode::write (ostream &os) const { + os << '<' << _name; + FORALL(_attributes, AttribMap::const_iterator, i) + os << ' ' << i->first << "='" << i->second << '\''; + if (_children.empty()) + os << "/>\n"; + else { + os << '>'; + if (dynamic_cast<XMLElementNode*>(_children.front())) + os << '\n'; + FORALL(_children, ChildList::const_iterator, i) + (*i)->write(os); + os << "</" << _name << ">\n"; + } + return os; +} + + +/** Returns true if this element has an attribute of given name. */ +bool XMLElementNode::hasAttribute (const string &name) const { + return _attributes.find(name) != _attributes.end(); +} + + +/** Returns the value of an attribute. + * @param[in] name name of attribute + * @return attribute value or 0 if attribute doesn't exist */ +const char* XMLElementNode::getAttributeValue(const std::string& name) const { + AttribMap::const_iterator it = _attributes.find(name); + if (it != _attributes.end()) + return it->second.c_str(); + return 0; +} + + +////////////////////// + +void XMLTextNode::append (XMLNode *node) { + if (XMLTextNode *tn = dynamic_cast<XMLTextNode*>(node)) + append(tn); + else + delete node; +} + + +void XMLTextNode::append (XMLTextNode *node) { + if (node) + _text += node->_text; + delete node; +} + + +void XMLTextNode::append (const string &str) { + _text += str; +} + + +void XMLTextNode::prepend (XMLNode *node) { + if (XMLTextNode *tn = dynamic_cast<XMLTextNode*>(node)) + _text = tn->_text + _text; + else + delete node; +} + + +////////////////////// + + +ostream& XMLCDataNode::write (ostream &os) const { + if (!_data.empty()) + os << "<![CDATA[\n" << _data << "]]>\n"; + return os; +} + + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/XMLNode.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/XMLNode.h new file mode 100644 index 00000000000..71bd5a8ada9 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/XMLNode.h @@ -0,0 +1,118 @@ +/************************************************************************* +** XMLNode.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_XMLNODE_H +#define DVISVGM_XMLNODE_H + +#include <list> +#include <map> +#include <ostream> +#include <string> + +#include "SpecialActions.h" + + +struct XMLNode +{ + virtual ~XMLNode () {} + virtual XMLNode* clone () const =0; + virtual void clear () =0; + virtual std::ostream& write (std::ostream &os) const =0; +}; + + +class XMLElementNode : public XMLNode +{ + typedef std::map<std::string,std::string> AttribMap; + typedef std::list<XMLNode*> ChildList; + public: + XMLElementNode (const std::string &name); + XMLElementNode (const XMLElementNode &node); + ~XMLElementNode (); + XMLElementNode* clone () const {return new XMLElementNode(*this);} + void clear (); + void addAttribute (const std::string &name, const std::string &value); + void addAttribute (const std::string &name, double value); + void append (XMLNode *child); + void append (const std::string &str); + void prepend (XMLNode *child); + void remove (XMLNode *child) {_children.remove(child);} + bool insertAfter (XMLNode *child, XMLNode *sibling); + bool insertBefore (XMLNode *child, XMLNode *sibling); + bool hasAttribute (const std::string &name) const; + const char* getAttributeValue (const std::string &name) const; + bool getDescendants (const char *name, const char *attrName, std::vector<XMLElementNode*> &descendants) const; + XMLElementNode* getFirstDescendant (const char *name, const char *attrName, const char *attrValue) const; + std::ostream& write (std::ostream &os) const; + bool empty () const {return _children.empty();} + const std::list<XMLNode*>& children () const {return _children;} + const std::string& getName () const {return _name;} + + private: + std::string _name; // element name (<name a1="v1" .. an="vn">...</name>) + AttribMap _attributes; + ChildList _children; // child nodes +}; + + +class XMLTextNode : public XMLNode +{ + public: + XMLTextNode (const std::string &str) : _text(str) {} + XMLTextNode* clone () const {return new XMLTextNode(*this);} + void clear () {_text.clear();} + void append (XMLNode *node); + void append (XMLTextNode *node); + void append (const std::string &str); + void prepend (XMLNode *child); + std::ostream& write (std::ostream &os) const {return os << _text;} + const std::string& getText () const {return _text;} + + private: + std::string _text; +}; + + +class XMLCommentNode : public XMLNode +{ + public: + XMLCommentNode (const std::string &str) : _text(str) {} + XMLCommentNode* clone () const {return new XMLCommentNode(*this);} + void clear () {_text.clear();} + std::ostream& write (std::ostream &os) const {return os << "<!--" << _text << "-->\n";} + + private: + std::string _text; +}; + + +class XMLCDataNode : public XMLNode +{ + public: + XMLCDataNode (const std::string &d) : _data(d) {} + XMLCDataNode* clone () const {return new XMLCDataNode(*this);} + void clear () {_data.clear();} + std::ostream& write (std::ostream &os) const; + + private: + std::string _data; +}; + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/XMLString.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/XMLString.cpp new file mode 100644 index 00000000000..97aa91ee4ab --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/XMLString.cpp @@ -0,0 +1,104 @@ +/************************************************************************* +** XMLString.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <cmath> +#include <cstdlib> +#include <iomanip> +#include <sstream> +#include "macros.h" +#include "types.h" +#include "Unicode.h" +#include "XMLString.h" + +using namespace std; + +int XMLString::DECIMAL_PLACES = 0; + + +static string translate (UInt32 c) { + switch (c) { + case '<' : return "<"; + case '&' : return "&"; + case '"' : return """; + case '\'': return "'"; + } + return Unicode::utf8(c); +} + + +XMLString::XMLString (const string &str, bool plain) { + if (plain) + assign(str); + else { + FORALL(str, string::const_iterator, i) + *this += translate(*i); + } +} + + +XMLString::XMLString (const char *str, bool plain) { + if (str) { + if (plain) + assign(str); + else { + while (*str) + *this += translate(*str++); + } + } +} + + +XMLString::XMLString (int n, bool cast) { + if (cast) { + stringstream ss; + ss << n; + ss >> *this; + } + else + *this += translate(n); +} + + +/** Rounds a floating point value to a given number of decimal places. + * @param[in] x number to round + * @param[in] n number of decimal places (must be between 1 and 6) + * @return rounded value */ +static inline double round (double x, int n) { + const long pow10[] = {10L, 100L, 1000L, 10000L, 100000L, 1000000L}; + const double eps = 1e-7; + n--; + if (x >= 0) + return floor(x*pow10[n]+0.5+eps)/pow10[n]; + return ceil(x*pow10[n]-0.5-eps)/pow10[n]; +} + + +XMLString::XMLString (double x) { + stringstream ss; + if (fabs(x) < 1e-8) + x = 0; + if (DECIMAL_PLACES > 0) + x = round(x, DECIMAL_PLACES); + // don't use fixed and setprecision() manipulators here to avoid + // banker's rounding applied in some STL implementations + ss << x; + ss >> *this; +} diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/XMLString.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/XMLString.h new file mode 100644 index 00000000000..f160c4427a4 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/XMLString.h @@ -0,0 +1,40 @@ +/************************************************************************* +** XMLString.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_XMLSTRING_H +#define DVISVGM_XMLSTRING_H + +#include <string> + + +class XMLString : public std::string +{ + public: + XMLString () : std::string() {} + XMLString (const char *str, bool plain=false); + XMLString (const std::string &str, bool plain=false); + XMLString (int n, bool cast=true); + XMLString (double x); + + static int DECIMAL_PLACES; ///< number of decimal places applied to floating point values (0-6) +}; + + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/dvisvgm.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/dvisvgm.cpp new file mode 100644 index 00000000000..03e40623982 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/dvisvgm.cpp @@ -0,0 +1,334 @@ +/************************************************************************* +** dvisvgm.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include <config.h> +#include <clipper.hpp> +#include <fstream> +#include <iostream> +#include <sstream> +#include <string> +#include "gzstream.h" +#include "CommandLine.h" +#include "DVIToSVG.h" +#include "DVIToSVGActions.h" +#include "EPSToSVG.h" +#include "FileFinder.h" +#include "FilePath.h" +#include "FileSystem.h" +#include "Font.h" +#include "FontCache.h" +#include "FontEngine.h" +#include "FontMap.h" +#include "Ghostscript.h" +#include "HtmlSpecialHandler.h" +#include "InputReader.h" +#include "Message.h" +#include "PageSize.h" +#include "PSInterpreter.h" +#include "PsSpecialHandler.h" +#include "SignalHandler.h" +#include "SpecialManager.h" +#include "SVGOutput.h" +#include "System.h" + +#ifdef __MSVC__ +#include <potracelib.h> +#else +extern "C" { +#include <potracelib.h> +} +#endif + +using namespace std; + + +//////////////////////////////////////////////////////////////////////////////// + +static void show_help (const CommandLine &cmd) { + cout << PACKAGE_STRING "\n\n"; + cmd.help(cmd.help_arg()); + cout << "\nCopyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> \n\n"; +} + + +static string remove_path (string fname) { + fname = FileSystem::adaptPathSeperators(fname); + size_t slashpos = fname.rfind('/'); + if (slashpos == string::npos) + return fname; + return fname.substr(slashpos+1); +} + + +static string ensure_suffix (string fname, bool eps) { + size_t dotpos = remove_path(fname).rfind('.'); + if (dotpos == string::npos) + fname += (eps ? ".eps" : ".dvi"); + return fname; +} + + +static string get_transformation_string (const CommandLine &args) { + ostringstream oss; + if (args.rotate_given()) + oss << 'R' << args.rotate_arg() << ",w/2,h/2"; + if (args.translate_given()) + oss << 'T' << args.translate_arg(); + if (args.scale_given()) + oss << 'S' << args.scale_arg(); + if (args.transform_given()) + oss << args.transform_arg(); + return oss.str(); +} + + +static void set_libgs (CommandLine &args) { +#if !defined(DISABLE_GS) && !defined(HAVE_LIBGS) + if (args.libgs_given()) + Ghostscript::LIBGS_NAME = args.libgs_arg(); + else if (getenv("LIBGS")) + Ghostscript::LIBGS_NAME = getenv("LIBGS"); +#endif +} + + +static bool set_cache_dir (const CommandLine &args) { + if (args.cache_given() && !args.cache_arg().empty()) { + if (args.cache_arg() == "none") + PhysicalFont::CACHE_PATH = 0; + else if (FileSystem::exists(args.cache_arg().c_str())) + PhysicalFont::CACHE_PATH = args.cache_arg().c_str(); + else + Message::wstream(true) << "cache directory '" << args.cache_arg() << "' does not exist (caching disabled)\n"; + } + else if (const char *userdir = FileSystem::userdir()) { + static string cachepath = userdir + string("/.dvisvgm/cache"); + if (!FileSystem::exists(cachepath.c_str())) + FileSystem::mkdir(cachepath.c_str()); + PhysicalFont::CACHE_PATH = cachepath.c_str(); + } + if (args.cache_given() && args.cache_arg().empty()) { + cout << "cache directory: " << (PhysicalFont::CACHE_PATH ? PhysicalFont::CACHE_PATH : "(none)") << '\n'; + FontCache::fontinfo(PhysicalFont::CACHE_PATH, cout, true); + return false; + } + return true; +} + + +static bool check_bbox (const string &bboxstr) { + const char *formats[] = {"none", "min", "dvi", 0}; + for (const char **p=formats; *p; ++p) + if (bboxstr == *p) + return true; + if (isalpha(bboxstr[0])) { + try { + PageSize size(bboxstr); + return true; + } + catch (const PageSizeException &e) { + Message::estream(true) << "invalid bounding box format '" << bboxstr << "'\n"; + return false; + } + } + try { + BoundingBox bbox; + bbox.set(bboxstr); + return true; + } + catch (const MessageException &e) { + Message::estream(true) << e.what() << '\n'; + return false; + } +} + + +static void print_version (bool extended) { + ostringstream oss; + oss << PACKAGE_STRING; + if (extended) { + if (strlen(TARGET_SYSTEM) > 0) + oss << " (" TARGET_SYSTEM ")"; + int len = oss.str().length(); + oss << "\n" << string(len, '-') << "\n" + "clipper: " << CLIPPER_VERSION "\n" + "freetype: " << FontEngine::version() << "\n"; + + Ghostscript gs; + string gsver = gs.revision(true); + if (!gsver.empty()) + oss << "Ghostscript: " << gsver + "\n"; + oss << +#ifdef MIKTEX + "MiKTeX: " << FileFinder::version() << "\n" +#else + "kpathsea: " << FileFinder::version() << "\n" +#endif + "potrace: " << (strchr(potrace_version(), ' ') ? strchr(potrace_version(), ' ')+1 : "unknown") << "\n" + "zlib: " << zlibVersion(); + } + cout << oss.str() << endl; +} + + +static void init_fontmap (const CommandLine &args) { + const char *mapseq = args.fontmap_given() ? args.fontmap_arg().c_str() : 0; + bool additional = mapseq && strchr("+-=", *mapseq); + if (!mapseq || additional) { + const char *mapfiles[] = {"ps2pk.map", "dvipdfm.map", "psfonts.map", 0}; + bool found = false; + for (const char **p=mapfiles; *p && !found; p++) + found = FontMap::instance().read(*p); + if (!found) + Message::wstream(true) << "none of the default map files could be found"; + } + if (mapseq) + FontMap::instance().read(mapseq); +} + + +int main (int argc, char *argv[]) { + CommandLine args; + args.parse(argc, argv); + if (args.error()) + return 1; + + if (argc == 1 || args.help_given()) { + show_help(args); + return 0; + } + + Message::COLORIZE = args.color_given(); + + try { + FileFinder::init(argv[0], "dvisvgm", !args.no_mktexmf_given()); + } + catch (MessageException &e) { + Message::estream(true) << e.what() << '\n'; + return 0; + } + + set_libgs(args); + if (args.version_given()) { + print_version(args.version_arg()); + return 0; + } + if (args.list_specials_given()) { + DVIToSVG::setProcessSpecials(); + SpecialManager::instance().writeHandlerInfo(cout); + return 0; + } + + if (!set_cache_dir(args)) + return 0; + + if (argc > 1 && args.numFiles() < 1) { + Message::estream(true) << "no input file given\n"; + return 1; + } + + if (args.stdout_given() && args.zip_given()) { + Message::estream(true) << "writing SVGZ files to stdout is not supported\n"; + return 1; + } + + if (!check_bbox(args.bbox_arg())) + return 1; + + if (args.progress_given()) { + DVIReader::COMPUTE_PROGRESS = args.progress_given(); + SpecialActions::PROGRESSBAR_DELAY = args.progress_arg(); + } + SVGTree::CREATE_STYLE = !args.no_styles_given(); + SVGTree::USE_FONTS = !args.no_fonts_given(); + SVGTree::CREATE_USE_ELEMENTS = args.no_fonts_arg() < 1; + SVGTree::ZOOM_FACTOR = args.zoom_arg(); + SVGTree::RELATIVE_PATH_CMDS = args.relative_given(); + SVGTree::MERGE_CHARS = !args.no_merge_given(); + DVIToSVG::TRACE_MODE = args.trace_all_given() ? (args.trace_all_arg() ? 'a' : 'm') : 0; + Message::LEVEL = args.verbosity_arg(); + PhysicalFont::EXACT_BBOX = args.exact_given(); + PhysicalFont::KEEP_TEMP_FILES = args.keep_given(); + PhysicalFont::METAFONT_MAG = max(1.0, args.mag_arg()); + XMLString::DECIMAL_PLACES = max(0, min(6, args.precision_arg())); + if (!HtmlSpecialHandler::setLinkMarker(args.linkmark_arg())) + Message::wstream(true) << "invalid argument '"+args.linkmark_arg()+"' supplied for option --linkmark\n"; + double start_time = System::time(); + bool eps_given=false; +#ifndef DISABLE_GS + eps_given = args.eps_given(); + PsSpecialHandler::COMPUTE_CLIPPATHS_INTERSECTIONS = args.clipjoin_given(); + PsSpecialHandler::SHADING_SEGMENT_OVERLAP = args.grad_overlap_given(); + PsSpecialHandler::SHADING_SEGMENT_SIZE = max(1, args.grad_segments_arg()); + PsSpecialHandler::SHADING_SIMPLIFY_DELTA = args.grad_simplify_arg(); +#endif + string inputfile = ensure_suffix(args.file(0), eps_given); + ifstream ifs(inputfile.c_str(), ios::binary|ios::in); + if (!ifs) { + Message::estream(true) << "can't open file '" << inputfile << "' for reading\n"; + return 0; + } + try { + SVGOutput out(args.stdout_given() ? 0 : inputfile.c_str(), args.output_arg(), args.zip_given() ? args.zip_arg() : 0); + SignalHandler::instance().start(); +#ifndef DISABLE_GS + if (args.eps_given()) { + EPSToSVG eps2svg(inputfile, out); + eps2svg.convert(); + Message::mstream().indent(0); + Message::mstream(false, Message::MC_PAGE_NUMBER) + << "file converted in " << (System::time()-start_time) << " seconds\n"; + } + else +#endif + { + init_fontmap(args); + DVIToSVG dvi2svg(ifs, out); + const char *ignore_specials = args.no_specials_given() ? (args.no_specials_arg().empty() ? "*" : args.no_specials_arg().c_str()) : 0; + dvi2svg.setProcessSpecials(ignore_specials, true); + dvi2svg.setPageTransformation(get_transformation_string(args)); + dvi2svg.setPageSize(args.bbox_arg()); + + pair<int,int> pageinfo; + dvi2svg.convert(args.page_arg(), &pageinfo); + Message::mstream().indent(0); + Message::mstream(false, Message::MC_PAGE_NUMBER) << "\n" << pageinfo.first << " of " << pageinfo.second << " page"; + if (pageinfo.second > 1) + Message::mstream(false, Message::MC_PAGE_NUMBER) << 's'; + Message::mstream(false, Message::MC_PAGE_NUMBER) << " converted in " << (System::time()-start_time) << " seconds\n"; + } + } + catch (DVIException &e) { + Message::estream() << "\nDVI error: " << e.what() << '\n'; + } + catch (PSException &e) { + Message::estream() << "\nPostScript error: " << e.what() << '\n'; + } + catch (SignalException &e) { + Message::wstream().clearline(); + Message::wstream(true) << "execution interrupted by user\n"; + } + catch (MessageException &e) { + Message::estream(true) << e.what() << '\n'; + } + FileFinder::finish(); + return 0; +} + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/gzstream.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/gzstream.cpp new file mode 100644 index 00000000000..2893c299891 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/gzstream.cpp @@ -0,0 +1,172 @@ +// ============================================================================ +// gzstream, C++ iostream classes wrapping the zlib compression library. +// Copyright (C) 2001 Deepak Bandyopadhyay, Lutz Kettner +// +// This library is free software; you can redistribute it and/or +// modify it under the terms of the GNU Lesser General Public +// License as published by the Free Software Foundation; either +// version 2.1 of the License, or (at your option) any later version. +// +// This library is distributed in the hope that it will be useful, +// but WITHOUT ANY WARRANTY; without even the implied warranty of +// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +// Lesser General Public License for more details. +// +// You should have received a copy of the GNU Lesser General Public +// License along with this library; if not, write to the Free Software +// Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA +// ============================================================================ +// +// File : gzstream.C +// Revision : $Revision: 1.3 $ +// Revision_date : $Date: 2006/01/05 16:22:35 $ +// Author(s) : Deepak Bandyopadhyay, Lutz Kettner +// +// Standard streambuf implementation following Nicolai Josuttis, "The +// Standard C++ Library". +// ============================================================================ + +#include "gzstream.h" +#include <iostream> +#include <string.h> // for memcpy + +#ifdef GZSTREAM_NAMESPACE +namespace GZSTREAM_NAMESPACE { +#endif + +const int gzstreambuf::bufferSize = 47+256; // size of data buff + +// ---------------------------------------------------------------------------- +// Internal classes to implement gzstream. See header file for user classes. +// ---------------------------------------------------------------------------- + +// -------------------------------------- +// class gzstreambuf: +// -------------------------------------- + +gzstreambuf* gzstreambuf::open(const char* name, int compression_level, int open_mode) { + if ( is_open()) + return (gzstreambuf*)0; + mode = open_mode; + // no append nor read/write mode + if ((mode & std::ios::ate) || (mode & std::ios::app) + || ((mode & std::ios::in) && (mode & std::ios::out))) + return (gzstreambuf*)0; + if (compression_level < 1) + compression_level = 1; + else if (compression_level > 9) + compression_level = 9; + char fmode[10]; + char* fmodeptr = fmode; + if ( mode & std::ios::in) + *fmodeptr++ = 'r'; + else if ( mode & std::ios::out) + *fmodeptr++ = 'w'; + *fmodeptr++ = 'b'; + *fmodeptr++ = '0'+compression_level; + *fmodeptr = '\0'; + file = gzopen( name, fmode); + if (file == 0) + return (gzstreambuf*)0; + opened = 1; + return this; +} + +gzstreambuf * gzstreambuf::close() { + if ( is_open()) { + sync(); + opened = 0; + if ( gzclose( file) == Z_OK) + return this; + } + return (gzstreambuf*)0; +} + +int gzstreambuf::underflow() { // used for input buffer only + if ( gptr() && ( gptr() < egptr())) + return * reinterpret_cast<unsigned char *>( gptr()); + + if ( ! (mode & std::ios::in) || ! opened) + return EOF; + // Josuttis' implementation of inbuf + int n_putback = gptr() - eback(); + if ( n_putback > 4) + n_putback = 4; + memcpy( buffer + (4 - n_putback), gptr() - n_putback, n_putback); + + int num = gzread( file, buffer+4, bufferSize-4); + if (num <= 0) // ERROR or EOF + return EOF; + + // reset buffer pointers + setg( buffer + (4 - n_putback), // beginning of putback area + buffer + 4, // read position + buffer + 4 + num); // end of buffer + + // return next character + return * reinterpret_cast<unsigned char *>( gptr()); +} + +int gzstreambuf::flush_buffer() { + // Separate the writing of the buffer from overflow() and + // sync() operation. + int w = pptr() - pbase(); + if ( gzwrite( file, pbase(), w) != w) + return EOF; + pbump( -w); + return w; +} + +int gzstreambuf::overflow( int c) { // used for output buffer only + if ( ! ( mode & std::ios::out) || ! opened) + return EOF; + if (c != EOF) { + *pptr() = c; + pbump(1); + } + if ( flush_buffer() == EOF) + return EOF; + return c; +} + +int gzstreambuf::sync() { + // Changed to use flush_buffer() instead of overflow( EOF) + // which caused improper behavior with std::endl and flush(), + // bug reported by Vincent Ricard. + if ( pptr() && pptr() > pbase()) { + if ( flush_buffer() == EOF) + return -1; + } + return 0; +} + +// -------------------------------------- +// class gzstreambase: +// -------------------------------------- + +gzstreambase::gzstreambase( const char* name, int compression_level, int mode) { + init( &buf); + open( name, compression_level, mode); +} + +gzstreambase::~gzstreambase() { + buf.close(); +} + +void gzstreambase::open( const char* name, int compression_level, int open_mode) { + if ( ! buf.open( name, compression_level, open_mode)) + clear( rdstate() | std::ios::badbit); +} + +void gzstreambase::close() { + if ( buf.is_open()) + if ( ! buf.close()) + clear( rdstate() | std::ios::badbit); +} + +#ifdef GZSTREAM_NAMESPACE +} // namespace GZSTREAM_NAMESPACE +#endif + +// ============================================================================ +// EOF // diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/gzstream.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/gzstream.h new file mode 100644 index 00000000000..60f38c4fac7 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/gzstream.h @@ -0,0 +1,121 @@ +// ============================================================================ +// gzstream, C++ iostream classes wrapping the zlib compression library. +// Copyright (C) 2001 Deepak Bandyopadhyay, Lutz Kettner +// +// This library is free software; you can redistribute it and/or +// modify it under the terms of the GNU Lesser General Public +// License as published by the Free Software Foundation; either +// version 2.1 of the License, or (at your option) any later version. +// +// This library is distributed in the hope that it will be useful, +// but WITHOUT ANY WARRANTY; without even the implied warranty of +// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +// Lesser General Public License for more details. +// +// You should have received a copy of the GNU Lesser General Public +// License along with this library; if not, write to the Free Software +// Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA +// ============================================================================ +// +// File : gzstream.h +// Revision : $Revision: 1.3 $ +// Revision_date : $Date: 2006/01/05 16:22:35 $ +// Author(s) : Deepak Bandyopadhyay, Lutz Kettner +// +// Standard streambuf implementation following Nicolai Josuttis, "The +// Standard C++ Library". +// ============================================================================ + +#ifndef GZSTREAM_H +#define GZSTREAM_H 1 + +// standard C++ with new header file names and std:: namespace +#include <iostream> +#include <fstream> +#include <zlib.h> + +#ifdef GZSTREAM_NAMESPACE +namespace GZSTREAM_NAMESPACE { +#endif + +// ---------------------------------------------------------------------------- +// Internal classes to implement gzstream. See below for user classes. +// ---------------------------------------------------------------------------- + +class gzstreambuf : public std::streambuf { +private: + static const int bufferSize; // size of data buff + // totals 512 bytes under g++ for igzstream at the end. + + gzFile file; // file handle for compressed file + char buffer[47+256]; // data buffer + char opened; // open/close state of stream + int mode; // I/O mode + + int flush_buffer(); +public: + gzstreambuf() : opened(0) { + setp( buffer, buffer + (bufferSize-1)); + setg( buffer + 4, // beginning of putback area + buffer + 4, // read position + buffer + 4); // end position + // ASSERT: both input & output capabilities will not be used together + } + int is_open() { return opened; } + gzstreambuf* open(const char* name, int compression_level, int open_mode); + gzstreambuf* close(); + ~gzstreambuf() { close(); } + + virtual int overflow( int c = EOF); + virtual int underflow(); + virtual int sync(); +}; + +class gzstreambase : virtual public std::ios { +protected: + gzstreambuf buf; +public: + gzstreambase() { init(&buf); } + gzstreambase( const char* name, int compression_level, int open_mode); + ~gzstreambase(); + void open( const char* name, int compression_level, int open_mode); + void close(); + gzstreambuf* rdbuf() { return &buf; } +}; + +// ---------------------------------------------------------------------------- +// User classes. Use igzstream and ogzstream analogously to ifstream and +// ofstream respectively. They read and write files based on the gz* +// function interface of the zlib. Files are compatible with gzip compression. +// ---------------------------------------------------------------------------- + +class igzstream : public gzstreambase, public std::istream { +public: + igzstream() : std::istream( &buf) {} + igzstream( const char* name, int compression_level, int open_mode = std::ios::in) + : gzstreambase(name, compression_level, open_mode), std::istream( &buf) {} + gzstreambuf* rdbuf() { return gzstreambase::rdbuf(); } + void open( const char* name, int compression_level, int open_mode = std::ios::in) { + gzstreambase::open( name, compression_level, open_mode); + } +}; + +class ogzstream : public gzstreambase, public std::ostream { +public: + ogzstream() : std::ostream( &buf) {} + ogzstream( const char* name, int compression_level, int mode = std::ios::out) + : gzstreambase(name, compression_level, mode), std::ostream( &buf) {} + gzstreambuf* rdbuf() { return gzstreambase::rdbuf(); } + void open( const char* name, int compression_level, int open_mode = std::ios::out) { + gzstreambase::open(name, compression_level, open_mode); + } +}; + +#ifdef GZSTREAM_NAMESPACE +} // namespace GZSTREAM_NAMESPACE +#endif + +#endif // GZSTREAM_H +// ============================================================================ +// EOF // + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/iapi.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/iapi.h new file mode 100644 index 00000000000..8e29d938d03 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/iapi.h @@ -0,0 +1,300 @@ +/* Copyright (C) 2001-2006 Artifex Software, Inc. + All Rights Reserved. + + This software is provided AS-IS with no warranty, either express or + implied. + + This software is distributed under license and may not be copied, modified + or distributed except as expressly authorized under the terms of that + license. Refer to licensing information at http://www.artifex.com/ + or contact Artifex Software, Inc., 7 Mt. Lassen Drive - Suite A-134, + San Rafael, CA 94903, U.S.A., +1(415)492-9861, for further information. +*/ + +/* $Id: iapi.h 9043 2008-08-28 22:48:19Z giles $ */ + +/* + * Public API for Ghostscript interpreter + * for use both as DLL and for static linking. + * + * Should work for Windows, OS/2, Linux, Mac. + * + * DLL exported functions should be as similar as possible to imain.c + * You will need to include "ierrors.h". + * + * Current problems: + * 1. Ghostscript does not support multiple instances. + * 2. Global variables in gs_main_instance_default() + * and gsapi_instance_counter + */ + +/* Exported functions may need different prefix + * GSDLLEXPORT marks functions as exported + * GSDLLAPI is the calling convention used on functions exported + * by Ghostscript + * GSDLLCALL is used on callback functions called by Ghostscript + * When you include this header file in the caller, you may + * need to change the definitions by defining these + * before including this header file. + * Make sure you get the calling convention correct, otherwise your + * program will crash either during callbacks or soon after returning + * due to stack corruption. + */ + +#ifndef iapi_INCLUDED +# define iapi_INCLUDED + +#ifdef __cplusplus +extern "C" { +#endif + +#if defined(_WINDOWS_) || defined(__WINDOWS__) +# ifndef _Windows +# define _Windows +# endif +#endif + +#ifdef _Windows +# ifndef GSDLLEXPORT +# define GSDLLEXPORT __declspec(dllexport) +# endif +# ifndef GSDLLAPI +# define GSDLLAPI __stdcall +# endif +# ifndef GSDLLCALL +# define GSDLLCALL __stdcall +# endif +#endif /* _Windows */ + +#if defined(OS2) && defined(__IBMC__) +# ifndef GSDLLAPI +# define GSDLLAPI _System +# endif +# ifndef GSDLLCALL +# define GSDLLCALL _System +# endif +#endif /* OS2 && __IBMC */ + +#ifdef __MACOS__ +# pragma export on +#endif + +#ifndef GSDLLEXPORT +# define GSDLLEXPORT +#endif +#ifndef GSDLLAPI +# define GSDLLAPI +#endif +#ifndef GSDLLCALL +# define GSDLLCALL +#endif + +#if defined(__IBMC__) +# define GSDLLAPIPTR * GSDLLAPI +# define GSDLLCALLPTR * GSDLLCALL +#else +# define GSDLLAPIPTR GSDLLAPI * +# define GSDLLCALLPTR GSDLLCALL * +#endif + +#ifndef display_callback_DEFINED +# define display_callback_DEFINED +typedef struct display_callback_s display_callback; +#endif + +typedef struct gsapi_revision_s { + const char *product; + const char *copyright; + long revision; + long revisiondate; +} gsapi_revision_t; + + +/* Get version numbers and strings. + * This is safe to call at any time. + * You should call this first to make sure that the correct version + * of the Ghostscript is being used. + * pr is a pointer to a revision structure. + * len is the size of this structure in bytes. + * Returns 0 if OK, or if len too small (additional parameters + * have been added to the structure) it will return the required + * size of the structure. + */ +GSDLLEXPORT int GSDLLAPI +gsapi_revision(gsapi_revision_t *pr, int len); + +/* + * WARNING WARNING WARNING WARNING WARNING WARNING WARNING WARNING + * Ghostscript supports only one instance. + * The current implementation uses a global static instance + * counter to make sure that only a single instance is used. + * If you try to create two instances, the second attempt + * will return < 0 and set pinstance to NULL. + * WARNING WARNING WARNING WARNING WARNING WARNING WARNING WARNING + */ +/* Create a new instance of Ghostscript. + * This instance is passed to most other API functions. + * The caller_handle will be provided to callback functions. + */ + +GSDLLEXPORT int GSDLLAPI +gsapi_new_instance(void **pinstance, void *caller_handle); + +/* + * WARNING WARNING WARNING WARNING WARNING WARNING WARNING WARNING + * Ghostscript supports only one instance. + * The current implementation uses a global static instance + * counter to make sure that only a single instance is used. + * WARNING WARNING WARNING WARNING WARNING WARNING WARNING WARNING + */ +/* Destroy an instance of Ghostscript + * Before you call this, Ghostscript must have finished. + * If Ghostscript has been initialised, you must call gsapi_exit() + * before gsapi_delete_instance. + */ +GSDLLEXPORT void GSDLLAPI +gsapi_delete_instance(void *instance); + +/* Set the callback functions for stdio + * The stdin callback function should return the number of + * characters read, 0 for EOF, or -1 for error. + * The stdout and stderr callback functions should return + * the number of characters written. + * If a callback address is NULL, the real stdio will be used. + */ +GSDLLEXPORT int GSDLLAPI +gsapi_set_stdio(void *instance, + int (GSDLLCALLPTR stdin_fn)(void *caller_handle, char *buf, int len), + int (GSDLLCALLPTR stdout_fn)(void *caller_handle, const char *str, int len), + int (GSDLLCALLPTR stderr_fn)(void *caller_handle, const char *str, int len)); + +/* Set the callback function for polling. + * This is used for handling window events or cooperative + * multitasking. This function will only be called if + * Ghostscript was compiled with CHECK_INTERRUPTS + * as described in gpcheck.h. + * The polling function should return 0 if all is well, + * and negative if it wants ghostscript to abort. + * The polling function must be fast. + */ +GSDLLEXPORT int GSDLLAPI gsapi_set_poll(void *instance, + int (GSDLLCALLPTR poll_fn)(void *caller_handle)); + +/* Set the display device callback structure. + * If the display device is used, this must be called + * after gsapi_new_instance() and before gsapi_init_with_args(). + * See gdevdisp.h for more details. + */ +GSDLLEXPORT int GSDLLAPI gsapi_set_display_callback( + void *instance, display_callback *callback); + + +/* Initialise the interpreter. + * This calls gs_main_init_with_args() in imainarg.c + * 1. If quit or EOF occur during gsapi_init_with_args(), + * the return value will be e_Quit. This is not an error. + * You must call gsapi_exit() and must not call any other + * gsapi_XXX functions. + * 2. If usage info should be displayed, the return value will be e_Info + * which is not an error. Do not call gsapi_exit(). + * 3. Under normal conditions this returns 0. You would then + * call one or more gsapi_run_*() functions and then finish + * with gsapi_exit(). + */ +GSDLLEXPORT int GSDLLAPI gsapi_init_with_args(void *instance, + int argc, char **argv); + +/* + * The gsapi_run_* functions are like gs_main_run_* except + * that the error_object is omitted. + * If these functions return <= -100, either quit or a fatal + * error has occured. You then call gsapi_exit() next. + * The only exception is gsapi_run_string_continue() + * which will return e_NeedInput if all is well. + */ + +GSDLLEXPORT int GSDLLAPI +gsapi_run_string_begin(void *instance, + int user_errors, int *pexit_code); + +GSDLLEXPORT int GSDLLAPI +gsapi_run_string_continue(void *instance, + const char *str, unsigned int length, int user_errors, int *pexit_code); + +GSDLLEXPORT int GSDLLAPI +gsapi_run_string_end(void *instance, + int user_errors, int *pexit_code); + +GSDLLEXPORT int GSDLLAPI +gsapi_run_string_with_length(void *instance, + const char *str, unsigned int length, int user_errors, int *pexit_code); + +GSDLLEXPORT int GSDLLAPI +gsapi_run_string(void *instance, + const char *str, int user_errors, int *pexit_code); + +GSDLLEXPORT int GSDLLAPI +gsapi_run_file(void *instance, + const char *file_name, int user_errors, int *pexit_code); + + +/* Exit the interpreter. + * This must be called on shutdown if gsapi_init_with_args() + * has been called, and just before gsapi_delete_instance(). + */ +GSDLLEXPORT int GSDLLAPI +gsapi_exit(void *instance); + +/* Visual Tracer */ +/* This function is only for debug purpose clients */ +struct vd_trace_interface_s; +GSDLLEXPORT void GSDLLAPI +gsapi_set_visual_tracer(struct vd_trace_interface_s *I); + + +/* function prototypes */ +typedef int (GSDLLAPIPTR PFN_gsapi_revision)( + gsapi_revision_t *pr, int len); +typedef int (GSDLLAPIPTR PFN_gsapi_new_instance)( + void **pinstance, void *caller_handle); +typedef void (GSDLLAPIPTR PFN_gsapi_delete_instance)( + void *instance); +typedef int (GSDLLAPIPTR PFN_gsapi_set_stdio)(void *instance, + int (GSDLLCALLPTR stdin_fn)(void *caller_handle, char *buf, int len), + int (GSDLLCALLPTR stdout_fn)(void *caller_handle, const char *str, int len), + int (GSDLLCALLPTR stderr_fn)(void *caller_handle, const char *str, int len)); +typedef int (GSDLLAPIPTR PFN_gsapi_set_poll)(void *instance, + int(GSDLLCALLPTR poll_fn)(void *caller_handle)); +typedef int (GSDLLAPIPTR PFN_gsapi_set_display_callback)( + void *instance, display_callback *callback); +typedef int (GSDLLAPIPTR PFN_gsapi_init_with_args)( + void *instance, int argc, char **argv); +typedef int (GSDLLAPIPTR PFN_gsapi_run_string_begin)( + void *instance, int user_errors, int *pexit_code); +typedef int (GSDLLAPIPTR PFN_gsapi_run_string_continue)( + void *instance, const char *str, unsigned int length, + int user_errors, int *pexit_code); +typedef int (GSDLLAPIPTR PFN_gsapi_run_string_end)( + void *instance, int user_errors, int *pexit_code); +typedef int (GSDLLAPIPTR PFN_gsapi_run_string_with_length)( + void *instance, const char *str, unsigned int length, + int user_errors, int *pexit_code); +typedef int (GSDLLAPIPTR PFN_gsapi_run_string)( + void *instance, const char *str, + int user_errors, int *pexit_code); +typedef int (GSDLLAPIPTR PFN_gsapi_run_file)(void *instance, + const char *file_name, int user_errors, int *pexit_code); +typedef int (GSDLLAPIPTR PFN_gsapi_exit)(void *instance); +typedef void (GSDLLAPIPTR PFN_gsapi_set_visual_tracer) + (struct vd_trace_interface_s *I); + + +#ifdef __MACOS__ +#pragma export off +#endif + +#ifdef __cplusplus +} /* extern 'C' protection */ +#endif + +#endif /* iapi_INCLUDED */ diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/ierrors.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/ierrors.h new file mode 100644 index 00000000000..3184341177e --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/ierrors.h @@ -0,0 +1,153 @@ +/* Copyright (C) 2001-2006 Artifex Software, Inc. + All Rights Reserved. + + This software is provided AS-IS with no warranty, either express or + implied. + + This software is distributed under license and may not be copied, modified + or distributed except as expressly authorized under the terms of that + license. Refer to licensing information at http://www.artifex.com/ + or contact Artifex Software, Inc., 7 Mt. Lassen Drive - Suite A-134, + San Rafael, CA 94903, U.S.A., +1(415)492-9861, for further information. +*/ + +/* $Id: ierrors.h 8022 2007-06-05 22:23:38Z giles $ */ +/* Definition of error codes */ + +#ifndef ierrors_INCLUDED +# define ierrors_INCLUDED + +/* + * DO NOT USE THIS FILE IN THE GRAPHICS LIBRARY. + * THIS FILE IS PART OF THE POSTSCRIPT INTERPRETER. + * USE gserrors.h IN THE LIBRARY. + */ + +/* + * A procedure that may return an error always returns + * a non-negative value (zero, unless otherwise noted) for success, + * or negative for failure. + * We use ints rather than an enum to avoid a lot of casting. + */ + +/* Define the error name table */ +extern const char *const gs_error_names[]; + + /* ------ PostScript Level 1 errors ------ */ + +#define e_unknownerror (-1) /* unknown error */ +#define e_dictfull (-2) +#define e_dictstackoverflow (-3) +#define e_dictstackunderflow (-4) +#define e_execstackoverflow (-5) +#define e_interrupt (-6) +#define e_invalidaccess (-7) +#define e_invalidexit (-8) +#define e_invalidfileaccess (-9) +#define e_invalidfont (-10) +#define e_invalidrestore (-11) +#define e_ioerror (-12) +#define e_limitcheck (-13) +#define e_nocurrentpoint (-14) +#define e_rangecheck (-15) +#define e_stackoverflow (-16) +#define e_stackunderflow (-17) +#define e_syntaxerror (-18) +#define e_timeout (-19) +#define e_typecheck (-20) +#define e_undefined (-21) +#define e_undefinedfilename (-22) +#define e_undefinedresult (-23) +#define e_unmatchedmark (-24) +#define e_VMerror (-25) /* must be the last Level 1 error */ + +#define LEVEL1_ERROR_NAMES\ + "unknownerror", "dictfull", "dictstackoverflow", "dictstackunderflow",\ + "execstackoverflow", "interrupt", "invalidaccess", "invalidexit",\ + "invalidfileaccess", "invalidfont", "invalidrestore", "ioerror",\ + "limitcheck", "nocurrentpoint", "rangecheck", "stackoverflow",\ + "stackunderflow", "syntaxerror", "timeout", "typecheck", "undefined",\ + "undefinedfilename", "undefinedresult", "unmatchedmark", "VMerror" + + /* ------ Additional Level 2 errors (also in DPS) ------ */ + +#define e_configurationerror (-26) +#define e_undefinedresource (-27) +#define e_unregistered (-28) + +#define LEVEL2_ERROR_NAMES\ + "configurationerror", "undefinedresource", "unregistered" + + /* ------ Additional DPS errors ------ */ + +#define e_invalidcontext (-29) +/* invalidid is for the NeXT DPS extension. */ +#define e_invalidid (-30) + +#define DPS_ERROR_NAMES\ + "invalidcontext", "invalidid" + +#define ERROR_NAMES\ + LEVEL1_ERROR_NAMES, LEVEL2_ERROR_NAMES, DPS_ERROR_NAMES + + /* ------ Pseudo-errors used internally ------ */ + +/* + * Internal code for a fatal error. + * gs_interpret also returns this for a .quit with a positive exit code. + */ +#define e_Fatal (-100) + +/* + * Internal code for the .quit operator. + * The real quit code is an integer on the operand stack. + * gs_interpret returns this only for a .quit with a zero exit code. + */ +#define e_Quit (-101) + +/* + * Internal code for a normal exit from the interpreter. + * Do not use outside of interp.c. + */ +#define e_InterpreterExit (-102) + +/* + * Internal code that indicates that a procedure has been stored in the + * remap_proc of the graphics state, and should be called before retrying + * the current token. This is used for color remapping involving a call + * back into the interpreter -- inelegant, but effective. + */ +#define e_RemapColor (-103) + +/* + * Internal code to indicate we have underflowed the top block + * of the e-stack. + */ +#define e_ExecStackUnderflow (-104) + +/* + * Internal code for the vmreclaim operator with a positive operand. + * We need to handle this as an error because otherwise the interpreter + * won't reload enough of its state when the operator returns. + */ +#define e_VMreclaim (-105) + +/* + * Internal code for requesting more input from run_string. + */ +#define e_NeedInput (-106) + +/* + * Internal code for a normal exit when usage info is displayed. + * This allows Window versions of Ghostscript to pause until + * the message can be read. + */ +#define e_Info (-110) + +/* + * Define which error codes require re-executing the current object. + */ +#define ERROR_IS_INTERRUPT(ecode)\ + ((ecode) == e_interrupt || (ecode) == e_timeout) + +#endif /* ierrors_INCLUDED */ diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/macros.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/macros.h new file mode 100644 index 00000000000..50deb9417c1 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/macros.h @@ -0,0 +1,42 @@ +/************************************************************************* +** macros.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_MACROS_H +#define DVISVGM_MACROS_H + +#define FORALL(container, itertype, itervar) \ + for (itertype itervar=(container).begin(); itervar != (container).end(); ++itervar) + +#define IMPLEMENT_ARITHMETIC_OPERATOR(class, op) \ + inline class operator op (class a, const class &b) { \ + return a op##= b; \ + } + +#define IMPLEMENT_ARITHMETIC_OPERATOR2(class, scalar, op) \ + inline class operator op (class a, scalar b) { \ + return a op##= b; \ + } + +#define IMPLEMENT_OUTPUT_OPERATOR(class) \ + inline std::ostream& operator << (std::ostream &os, class obj) { \ + return obj.write(os); \ + } + +#endif diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/options.dtd b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/options.dtd new file mode 100644 index 00000000000..c5321e3444b --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/options.dtd @@ -0,0 +1,51 @@ +<?xml encoding="UTF-8"?> +<!-- ********************************************************************* +** options.dtd ** +** ** +** This file is part of dvisvgm - the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +***********************************************************************--> + +<!ELEMENT cmdline (program,options)> +<!ATTLIST cmdline + class NMTOKEN #REQUIRED> + +<!ELEMENT program (name,usage+,description)> + +<!ELEMENT options (section)+> + +<!ELEMENT name (#PCDATA)> + +<!ELEMENT usage (#PCDATA)> + +<!ELEMENT section (option)+> +<!ATTLIST section + title CDATA #REQUIRED> + +<!ELEMENT option (arg?,description)> +<!ATTLIST option + long ID #REQUIRED + short NMTOKEN #IMPLIED + if CDATA #IMPLIED> + +<!ELEMENT arg EMPTY> +<!ATTLIST arg + default NMTOKEN #IMPLIED + name CDATA #REQUIRED + optional (yes|no) #IMPLIED + type NMTOKEN #REQUIRED> + +<!ELEMENT description (#PCDATA)> diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/options.xml b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/options.xml new file mode 100644 index 00000000000..a05d4489ef3 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/options.xml @@ -0,0 +1,175 @@ +<?xml version="1.0"?> +<!-- ********************************************************************* +** options.xml ** +** ** +** This file is part of dvisvgm - the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +***********************************************************************--> +<!DOCTYPE cmdline SYSTEM "options.dtd"> + +<cmdline class="CommandLine"> + <program> + <name>dvisvgm</name> + <usage>[options] dvifile</usage> + <usage>-E [options] epsfile</usage> + <description>This program converts DVI files, as created by TeX/LaTeX, to\nthe XML-based scalable vector graphics format SVG.</description> + </program> + <options> + <section title="Input options"> + <option long="page" short="p"> + <arg type="string" name="ranges" default="1"/> + <description>choose pages to convert</description> + </option> + <option long="fontmap" short="m"> + <arg type="string" name="filenames"/> + <description>evaluate (additional) font map files</description> + </option> + <option long="eps" short="E" if="!defined(DISABLE_GS)"> + <description>convert an EPS file to SVG</description> + </option> + </section> + <section title="SVG output options"> + <option long="bbox" short="b"> + <arg type="string" name="size" default="min"/> + <description>set size of bounding box</description> + </option> + <option long="clipjoin" short="j" if="!defined(DISABLE_GS)"> + <description>compute intersection of clipping paths</description> + </option> + <option long="grad-overlap" if="!defined(DISABLE_GS)"> + <description>create operlapping color gradient segments</description> + </option> + <option long="grad-segments" if="!defined(DISABLE_GS)"> + <arg type="int" name="number" default="20"/> + <description>number of color gradient segments per row</description> + </option> + <option long="grad-simplify" if="!defined(DISABLE_GS)"> + <arg type="double" name="delta" default="0.05"/> + <description>reduce level of detail for small segments</description> + </option> + <option long="linkmark" short="L"> + <arg type="string" name="style" default="box"/> + <description>select how to mark hyperlinked areas</description> + </option> + <option long="output" short="o"> + <arg type="string" name="pattern"/> + <description>set name pattern of output files</description> + </option> + <option long="precision" short="d"> + <arg type="int" name="number" default="0"/> + <description>set number of decimal points (0-6)</description> + </option> + <option long="relative" short="R"> + <description>create relative path commands</description> + </option> + <option long="stdout" short="s"> + <description>write SVG output to stdout</description> + </option> + <option long="no-fonts" short="n"> + <arg type="int" name="variant" default="0" optional="yes"/> + <description>draw glyphs by using path elements</description> + </option> + <option long="no-merge"> + <description>don't merge adjacent text elements</description> + </option> + <option long="no-styles"> + <description>don't use styles to reference fonts</description> + </option> + <option long="zip" short="z"> + <arg type="int" name="level" default="9" optional="yes"/> + <description>create compressed .svgz file</description> + </option> + </section> + <section title="SVG transformations"> + <option long="rotate" short="r"> + <arg type="double" name="angle"/> + <description>rotate page content clockwise</description> + </option> + <option long="scale" short="c"> + <arg type="string" name="sx[,sy]"/> + <description>scale page content</description> + </option> + <option long="translate" short="t"> + <arg type="string" name="tx[,ty]"/> + <description>shift page content</description> + </option> + <option long="transform" short="T"> + <arg type="string" name="commands"/> + <description>transform page content</description> + </option> + <option long="zoom" short="Z"> + <arg type="double" name="factor" default="1.0"/> + <description>zoom page content</description> + </option> + </section> + <section title="Processing options"> + <option long="cache" short="C"> + <arg type="string" name="dir" optional="yes"/> + <description>set/print path of cache directory</description> + </option> + <option long="exact" short="e"> + <description>compute exact glyph boxes</description> + </option> + <option long="keep"> + <description>keep temporary files</description> + </option> + <option long="libgs" if="!defined(HAVE_LIBGS) && !defined(DISABLE_GS)"> + <arg name="filename" type="string"/> + <description>set name of Ghostscript shared library</description> + </option> + <option long="mag" short="M"> + <arg type="double" name="factor" default="4"/> + <description>magnification of Metafont output</description> + </option> + <option long="no-mktexmf"> + <description>don't try to create missing fonts</description> + </option> + <option long="no-specials" short="S"> + <arg type="string" name="prefixes" optional="yes"/> + <description>don't process [selected] specials</description> + </option> + <option long="trace-all" short="a"> + <arg name="retrace" type="bool" optional="yes" default="no"/> + <description>trace all glyphs of bitmap fonts</description> + </option> + </section> + <section title="Message options"> + <option long="color"> + <description>colorize messages</description> + </option> + <option long="help" short="h"> + <arg name="mode" type="int" optional="yes" default="0"/> + <description>print this summary of options and exit</description> + </option> + <option long="list-specials" short="l"> + <description>print supported special sets and exit</description> + </option> + <option long="progress" short="P"> + <arg name="delay" type="double" optional="yes" default="0.5"/> + <description>enable progess indicator</description> + </option> + <option long="verbosity" short="v"> + <arg type="unsigned" name="level" default="7"/> + <description>set verbosity level (0-7)</description> + </option> + <option long="version" short="V"> + <arg type="bool" name="extended" optional="yes" default="no"/> + <description>print version and exit</description> + </option> + </section> + </options> +</cmdline> + diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/psdefs.cpp b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/psdefs.cpp new file mode 100644 index 00000000000..a9a818a3fe7 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/psdefs.cpp @@ -0,0 +1,95 @@ +/************************************************************************* +** psdefs.cpp ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#include "PSInterpreter.h" + +const char *PSInterpreter::PSDEFS = +"3 dict dup begin/Install{matrix setmatrix}def/HWResolution[72 72]def/PageSize[" +"10000 10000]def end setpagedevice/@dodraw true store/@patcnt 0 store/@SD syste" +"mdict def/@UD userdict def true setglobal @SD/:save @SD/save get put @SD/:rest" +"ore @SD/restore get put @SD/:gsave @SD/gsave get put @SD/:grestore @SD/grestor" +"e get put @SD/:grestoreall @SD/grestoreall get put @SD/:newpath @SD/newpath ge" +"t put @SD/:stroke @SD/stroke get put @SD/:fill @SD/fill get put @SD/:eofill @S" +"D/eofill get put @SD/:clip @SD/clip get put @SD/:eoclip @SD/eoclip get put @SD" +"/:charpath @SD/charpath get put @SD/:show @SD/show get put @SD/.setopacityalph" +"a known not{@SD/.setopacityalpha{pop}put}if @SD/prseq{-1 1{-1 roll =only( )pri" +"nt}for(\\n)print}put @SD/prcmd{( )exch(\\ndvi.)3{print}repeat prseq}put @SD/cv" +"xall{{cvx}forall}put @SD/defpr{[exch[/copy @SD]cvxall 5 -1 roll dup 6 1 roll[/" +"get/exec]cvxall 6 -1 roll dup 7 1 roll 4 -1 roll dup 5 1 roll dup length strin" +"g cvs/prcmd cvx]cvx def}put @SD/querypos{{currentpoint}stopped{$error/newerror" +" false put}{2(querypos)prcmd}ifelse}put @SD/applyscalevals{1 0 transform 0 0 t" +"ransform 3 -1 roll sub dup mul 3 1 roll sub dup mul add sqrt 0 1 transform 0 0" +" transform 3 -1 roll sub dup mul 3 1 roll sub dup mul add sqrt 1 0 transform d" +"up mul exch dup dup mul 3 -1 roll add sqrt div 3(applyscalevals)prcmd}put @SD/" +"prpath{{2(moveto)prcmd}{2(lineto)prcmd}{6(curveto)prcmd}{0(closepath)prcmd}pat" +"hforall}put @SD/charpath{/@dodraw false store :charpath/@dodraw true store}put" +" @SD/show{@dodraw{dup :gsave currentpoint :newpath moveto true charpath eofill" +" :grestore/@dodraw false store :show/@dodraw true store}if}put @SD/newpath{:ne" +"wpath 0 1(newpath)prcmd}put @SD/stroke{@dodraw{1 1(newpath)prcmd prpath 0(stro" +"ke)prcmd :newpath}{:stroke}ifelse}put @SD/fill{@dodraw{1 1(newpath)prcmd prpat" +"h 0(fill)prcmd :newpath}{:fill}ifelse}put @SD/eofill{@dodraw{1 1(newpath)prcmd" +" prpath 0(eofill)prcmd :newpath}{:eofill}ifelse}put @SD/clip{:clip 0 1(newpath" +")prcmd prpath 0(clip)prcmd}put @SD/eoclip{:eoclip 1 1(newpath)prcmd prpath 0(e" +"oclip)prcmd}put @SD/shfill{begin currentdict/ShadingType known currentdict/Col" +"orSpace known and currentdict/DataSource known and currentdict/Function known " +"not and ShadingType 4 ge and DataSource type/arraytype eq and{<</DeviceGray 1/" +"DeviceRGB 3/DeviceCMYK 4/bgknown currentdict/Background known/bbknown currentd" +"ict/BBox known>>begin currentdict ColorSpace known{ShadingType ColorSpace load" +" bgknown{1 Background aload pop}{0}ifelse bbknown{1 BBox aload pop}{0}ifelse S" +"hadingType 5 eq{VerticesPerRow}if DataSource aload length 4 add bgknown{ColorS" +"pace load add}if bbknown{4 add}if ShadingType 5 eq{1 add}if(shfill)prcmd}if en" +"d}if end}put/@rect{4 -2 roll moveto exch dup 0 rlineto exch 0 exch rlineto neg" +" 0 rlineto closepath}bind def/@rectcc{4 -2 roll moveto 2 copy 0 lt exch 0 lt x" +"or{dup 0 exch rlineto exch 0 rlineto neg 0 exch rlineto}{exch dup 0 rlineto ex" +"ch 0 exch rlineto neg 0 rlineto}ifelse closepath}bind def @SD/rectclip{:newpat" +"h dup type/arraytype eq{aload length 4 idiv{@rectcc}repeat}{@rectcc}ifelse cli" +"p :newpath}put @SD/rectfill{gsave :newpath dup type/arraytype eq{aload length " +"4 idiv{@rectcc}repeat}{@rectcc}ifelse fill grestore}put @SD/rectstroke{gsave :" +"newpath dup type/arraytype eq{aload length 4 idiv{@rect}repeat}{@rect}ifelse s" +"troke grestore}put false setglobal @SD readonly pop/initclip 0 defpr/clippath " +"0 defpr/sysexec{@SD exch get exec}def/adddot{dup length 1 add string dup 0 46 " +"put dup 3 -1 roll 1 exch putinterval}def/setlinewidth{dup/setlinewidth sysexec" +" applyscalevals 1(setlinewidth)prcmd}def/setlinecap 1 defpr/setlinejoin 1 defp" +"r/setmiterlimit 1 defpr/setdash{mark 3 1 roll 2 copy/setdash sysexec applyscal" +"evals exch aload length 1 add -1 roll counttomark(setdash)prcmd pop}def/setgst" +"ate{currentlinewidth 1(setlinewidth)prcmd currentlinecap 1(setlinecap)prcmd cu" +"rrentlinejoin 1(setlinejoin)prcmd currentmiterlimit 1(setmiterlimit)prcmd curr" +"entrgbcolor 3(setrgbcolor)prcmd 6 array currentmatrix aload pop 6(setmatrix)pr" +"cmd currentdash mark 3 1 roll exch aload length 1 add -1 roll counttomark(setd" +"ash)prcmd pop}def/save{@UD begin/@saveID vmstatus pop pop def end :save @saveI" +"D 1(save)prcmd}def/restore{:restore setgstate @UD/@saveID known{@UD begin @sav" +"eID end}{0}ifelse 1(restore)prcmd}def/gsave 0 defpr/grestore{:grestore setgsta" +"te 0(grestore)prcmd}def/grestoreall{:grestoreall setstate 0(grestoreall)prcmd}" +"def/rotate{dup type/arraytype ne{dup 1(rotate)prcmd}if/rotate sysexec}def/scal" +"e{dup type/arraytype ne{2 copy 2(scale)prcmd}if/scale sysexec}def/translate{du" +"p type/arraytype ne{2 copy 2(translate)prcmd}if/translate sysexec}def/setmatri" +"x{dup/setmatrix sysexec aload pop 6(setmatrix)prcmd}def/initmatrix{matrix setm" +"atrix}def/concat{matrix currentmatrix matrix concatmatrix setmatrix}def/makepa" +"ttern{gsave<</mx 3 -1 roll>>begin dup/XUID[1000000 @patcnt]put mx/makepattern " +"sysexec dup dup begin PatternType @patcnt BBox aload pop XStep YStep PaintType" +" mx aload pop 15(makepattern)prcmd :newpath matrix setmatrix PaintProc 0 1(mak" +"epattern)prcmd end/@patcnt @patcnt 1 add store end grestore}def/setpattern{beg" +"in PatternType 1 eq{PaintType 1 eq{XUID aload pop exch pop 1}{:gsave[currentco" +"lorspace aload length -1 roll pop]setcolorspace/setcolor sysexec XUID aload po" +"p exch pop currentrgbcolor :grestore 4}ifelse(setpattern)prcmd}{/setpattern sy" +"sexec}ifelse end}def/setcolor{dup type/dicttype eq{setpattern}{/setcolor sysex" +"ec}ifelse}def/setgray 1 defpr/setcmykcolor 4 defpr/sethsbcolor 3 defpr/setrgbc" +"olor 3 defpr/.setopacityalpha{dup/.setopacityalpha sysexec 1(setopacityalpha)p" +"rcmd}def "; diff --git a/Build/source/texk/dvisvgm/dvisvgm-1.11/src/types.h b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/types.h new file mode 100644 index 00000000000..54a028fe085 --- /dev/null +++ b/Build/source/texk/dvisvgm/dvisvgm-1.11/src/types.h @@ -0,0 +1,84 @@ +/************************************************************************* +** types.h ** +** ** +** This file is part of dvisvgm -- the DVI to SVG converter ** +** Copyright (C) 2005-2015 Martin Gieseking <martin.gieseking@uos.de> ** +** ** +** This program is free software; you can redistribute it and/or ** +** modify it under the terms of the GNU General Public License as ** +** published by the Free Software Foundation; either version 3 of ** +** the License, or (at your option) any later version. ** +** ** +** This program is distributed in the hope that it will be useful, but ** +** WITHOUT ANY WARRANTY; without even the implied warranty of ** +** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ** +** GNU General Public License for more details. ** +** ** +** You should have received a copy of the GNU General Public License ** +** along with this program; if not, see <http://www.gnu.org/licenses/>. ** +*************************************************************************/ + +#ifndef DVISVGM_TYPES_H +#define DVISVGM_TYPES_H + +namespace internal { + template<unsigned BYTES> + class ERROR_inttype_not_available + { + ERROR_inttype_not_available(); + }; + + template<bool FIRST, typename A, typename B> + struct select + { + typedef A T; + }; + + template<typename A, typename B> + struct select<false, A, B> + { + typedef B T; + }; +} + + +// Retrieves a signed integer type with sizeof(T) == BYTES +template<unsigned BYTES, bool SIGNED> +struct int_t +{ + typedef typename internal::select<sizeof(signed char) == BYTES, signed char, + typename internal::select<sizeof(signed short) == BYTES, signed short, + typename internal::select<sizeof(signed int) == BYTES, signed int, + typename internal::select<sizeof(signed long) == BYTES, signed long, + typename internal::select<sizeof(signed long long) == BYTES, signed long long, + internal::ERROR_inttype_not_available<BYTES> >::T>::T>::T>::T>::T T; +}; + + +// Retrieves an unsigned integer type with sizeof(T) == BYTES +template<unsigned BYTES> +struct int_t<BYTES, false> +{ + typedef typename internal::select<sizeof(unsigned char) == BYTES, unsigned char, + typename internal::select<sizeof(unsigned short) == BYTES, unsigned short, + typename internal::select<sizeof(unsigned int) == BYTES, unsigned int, + typename internal::select<sizeof(unsigned long) == BYTES, unsigned long, + typename internal::select<sizeof(unsigned long long) == BYTES, unsigned long long, + internal::ERROR_inttype_not_available<BYTES> >::T>::T>::T>::T>::T T; +}; + + +// Machine independent definition of sized integer types +typedef int_t<1, true>::T Int8; +typedef int_t<2, true>::T Int16; +typedef int_t<4, true>::T Int32; +typedef int_t<8, true>::T Int64; +typedef int_t<1, false>::T UInt8; +typedef int_t<2, false>::T UInt16; +typedef int_t<4, false>::T UInt32; +typedef int_t<8, false>::T UInt64; + +typedef Int32 FixWord; +typedef UInt32 ScaledInt; + +#endif |