// there is no elegance here. only sleep deprivation and regret.
[ipdf/code.git] / src / document.cpp
1 #include "document.h"
2 #include "bezier.h"
3 #include <cstdio>
4 #include <fstream>
5
6 #include "../contrib/pugixml-1.4/src/pugixml.cpp"
7
8 #include "stb_truetype.h"
9
10 using namespace IPDF;
11 using namespace std;
12
13 //TODO: Make this work for variable sized Reals
14
15 // Loads an std::vector<T> of size num_elements from a file.
16 template<typename T>
17 static void LoadStructVector(FILE *src_file, size_t num_elems, std::vector<T>& dest)
18 {
19         size_t structsread = 0;
20         dest.resize(num_elems);
21         structsread = fread(dest.data(), sizeof(T), num_elems, src_file);
22         if (structsread != num_elems)
23                 Fatal("Only read %u structs (expected %u)!", structsread, num_elems);
24 }
25
26 // Saves an std::vector<T> to a file. Size must be saves separately.
27 template<typename T>
28 static void SaveStructVector(FILE *dst_file, std::vector<T>& src)
29 {
30         size_t written = 0;
31         written = fwrite(src.data(), sizeof(T), src.size(), dst_file);
32         if (written != src.size())
33                 Fatal("Only wrote %u structs (expected %u)!", written, src.size());
34 }
35
36 static void WriteChunkHeader(FILE *dst_file, DocChunkTypes type, uint32_t size)
37 {
38         size_t written = 0;
39         written = fwrite(&type, sizeof(type), 1, dst_file);
40         if (written != 1)
41                 Fatal("Could not write Chunk header! (ID)");
42         written = fwrite(&size, sizeof(size), 1, dst_file);
43         if (written != 1)
44                 Fatal("Could not write Chunk header (size)!");
45 }
46
47 static bool ReadChunkHeader(FILE *src_file, DocChunkTypes& type, uint32_t& size)
48 {
49         if (fread(&type, sizeof(DocChunkTypes), 1, src_file) != 1)
50                 return false;
51         if (fread(&size, sizeof(uint32_t), 1, src_file) != 1)
52                 return false;
53         return true;
54 }
55
56 void Document::Save(const string & filename)
57 {
58         Debug("Saving document to file \"%s\"...", filename.c_str());
59         FILE * file = fopen(filename.c_str(), "w");
60         if (file == NULL)
61                 Fatal("Couldn't open file \"%s\" - %s", filename.c_str(), strerror(errno));
62
63         size_t written;
64         Debug("Number of objects (%u)...", ObjectCount());
65         WriteChunkHeader(file, CT_NUMOBJS, sizeof(m_count));
66         written = fwrite(&m_count, sizeof(m_count), 1, file);
67         if (written != 1)
68                 Fatal("Failed to write number of objects!");
69
70         Debug("Object types...");
71         WriteChunkHeader(file, CT_OBJTYPES, m_objects.types.size() * sizeof(ObjectType));
72         SaveStructVector<ObjectType>(file, m_objects.types);
73
74         Debug("Object bounds...");
75         WriteChunkHeader(file, CT_OBJBOUNDS, m_objects.bounds.size() * sizeof(Rect));
76         SaveStructVector<Rect>(file, m_objects.bounds);
77
78         Debug("Object data indices...");
79         WriteChunkHeader(file, CT_OBJINDICES, m_objects.data_indices.size() * sizeof(unsigned));
80         SaveStructVector<unsigned>(file, m_objects.data_indices);
81         
82         Debug("Bezier data...");
83         WriteChunkHeader(file, CT_OBJBEZIERS, m_objects.beziers.size() * sizeof(uint8_t));
84         SaveStructVector<Bezier>(file, m_objects.beziers);
85
86         int err = fclose(file);
87         if (err != 0)
88                 Fatal("Failed to close file \"%s\" - %s", filename.c_str(), strerror(err));
89
90         Debug("Successfully saved %u objects to \"%s\"", ObjectCount(), filename.c_str());
91 }
92
93 #ifndef QUADTREE_DISABLED
94
95 void Document::GenBaseQuadtree()
96 {
97         m_quadtree.nodes.push_back(QuadTreeNode{QUADTREE_EMPTY, QUADTREE_EMPTY, QUADTREE_EMPTY, QUADTREE_EMPTY, QUADTREE_EMPTY, QTC_UNKNOWN, 0, ObjectCount()});
98         m_quadtree.root_id = 0;
99         GenQuadChild(0, QTC_TOP_LEFT);
100 }
101
102 int Document::ClipObjectToQuadChild(int object_id, QuadTreeNodeChildren type)
103 {
104         switch (m_objects.types[object_id])
105         {
106         case RECT_FILLED:
107         case RECT_OUTLINE:
108                 {
109                 Rect obj_bounds = TransformToQuadChild(m_objects.bounds[object_id], type);
110                 if (obj_bounds.x < 0)
111                 {
112                         obj_bounds.w += obj_bounds.x;
113                         obj_bounds.x = 0;
114                 }
115                 if (obj_bounds.y < 0)
116                 {
117                         obj_bounds.h += obj_bounds.y;
118                         obj_bounds.y = 0;
119                 }
120                 if (obj_bounds.x + obj_bounds.w > 1)
121                 {
122                         obj_bounds.w += (1 - (obj_bounds.x + obj_bounds.w));
123                 }
124                 if (obj_bounds.y + obj_bounds.h > 1)
125                 {
126                         obj_bounds.h += (1 - (obj_bounds.y + obj_bounds.h));
127                 }
128                 m_objects.bounds.push_back(obj_bounds);
129                 m_objects.types.push_back(m_objects.types[object_id]);
130                 m_objects.data_indices.push_back(m_objects.data_indices[object_id]);
131                 return 1;
132                 }
133         case BEZIER:
134                 {
135                 // If we're entirely within the quadtree node, no clipping need occur.
136                 if (ContainedInQuadChild(m_objects.bounds[object_id], type))
137                 {
138                         m_objects.bounds.push_back(TransformToQuadChild(m_objects.bounds[object_id], type));
139                         m_objects.types.push_back(m_objects.types[object_id]);
140                         m_objects.data_indices.push_back(m_objects.data_indices[object_id]);
141                         return 1;
142                 }
143                 Rect clip_bezier_bounds = TransformRectCoordinates(m_objects.bounds[object_id], TransformFromQuadChild(Rect{0,0,1,1}, type)); 
144                 std::vector<Bezier> new_curves = m_objects.beziers[m_objects.data_indices[object_id]].ClipToRectangle(clip_bezier_bounds);
145                 for (size_t i = 0; i < new_curves.size(); ++i)
146                 {
147                         Rect new_bounds = TransformToQuadChild(m_objects.bounds[object_id], type);
148                         Bezier new_curve_data = new_curves[i].ToAbsolute(TransformToQuadChild(m_objects.bounds[object_id],type));
149                         new_bounds = new_curve_data.SolveBounds();
150                         new_curve_data = new_curve_data.ToRelative(new_bounds);
151                         unsigned index = AddBezierData(new_curve_data);
152                         m_objects.bounds.push_back(new_bounds);
153                         m_objects.types.push_back(BEZIER);
154                         m_objects.data_indices.push_back(index);
155                 }
156                 return new_curves.size();
157                 }
158         default:
159                 Debug("Adding %s -> %s", m_objects.bounds[object_id].Str().c_str(), TransformToQuadChild(m_objects.bounds[object_id], type).Str().c_str());
160                 m_objects.bounds.push_back(TransformToQuadChild(m_objects.bounds[object_id], type));
161                 m_objects.types.push_back(m_objects.types[object_id]);
162                 m_objects.data_indices.push_back(m_objects.data_indices[object_id]);
163                 return 1;
164         }
165         return 0;
166 }
167 QuadTreeIndex Document::GenQuadChild(QuadTreeIndex parent, QuadTreeNodeChildren type)
168 {
169         QuadTreeIndex new_index = m_quadtree.nodes.size();
170         m_quadtree.nodes.push_back(QuadTreeNode{QUADTREE_EMPTY, QUADTREE_EMPTY, QUADTREE_EMPTY, QUADTREE_EMPTY, parent, type, 0, 0});
171
172         m_quadtree.nodes[new_index].object_begin = m_objects.bounds.size();
173         for (unsigned i = m_quadtree.nodes[parent].object_begin; i < m_quadtree.nodes[parent].object_end; ++i)
174         {
175                 if (IntersectsQuadChild(m_objects.bounds[i], type))
176                 {
177                         m_count += ClipObjectToQuadChild(i, type);
178                 }
179         }
180         m_quadtree.nodes[new_index].object_end = m_objects.bounds.size();
181         switch (type)
182         {
183                 case QTC_TOP_LEFT:
184                         m_quadtree.nodes[parent].top_left = new_index;
185                         break;
186                 case QTC_TOP_RIGHT:
187                         m_quadtree.nodes[parent].top_right = new_index;
188                         break;
189                 case QTC_BOTTOM_LEFT:
190                         m_quadtree.nodes[parent].bottom_left = new_index;
191                         break;
192                 case QTC_BOTTOM_RIGHT:
193                         m_quadtree.nodes[parent].bottom_right = new_index;
194                         break;
195                 default:
196                         Fatal("Tried to add a QuadTree child of invalid type!");
197         }
198         return new_index;
199 }
200
201 // Reparent a quadtree node, making it the "type" child of a new node.
202 QuadTreeIndex Document::GenQuadParent(QuadTreeIndex child, QuadTreeNodeChildren type)
203 {
204         QuadTreeIndex new_index = m_quadtree.nodes.size();
205         m_quadtree.nodes.push_back(QuadTreeNode{QUADTREE_EMPTY, QUADTREE_EMPTY, QUADTREE_EMPTY, QUADTREE_EMPTY, -1, QTC_UNKNOWN, 0, 0});
206
207         m_quadtree.nodes[new_index].object_begin = m_objects.bounds.size();
208         for (unsigned i = m_quadtree.nodes[child].object_begin; i < m_quadtree.nodes[child].object_end; ++i)
209         {
210                 m_objects.bounds.push_back(TransformFromQuadChild(m_objects.bounds[i], type));
211                 m_objects.types.push_back(m_objects.types[i]);
212                 m_objects.data_indices.push_back(m_objects.data_indices[i]);
213                 m_count++;
214         }
215         m_quadtree.nodes[new_index].object_end = m_objects.bounds.size();
216         switch (type)
217         {
218                 case QTC_TOP_LEFT:
219                         m_quadtree.nodes[new_index].top_left = child;
220                         break;
221                 case QTC_TOP_RIGHT:
222                         m_quadtree.nodes[new_index].top_right = child;
223                         break;
224                 case QTC_BOTTOM_LEFT:
225                         m_quadtree.nodes[new_index].bottom_left = child;
226                         break;
227                 case QTC_BOTTOM_RIGHT:
228                         m_quadtree.nodes[new_index].bottom_right = child;
229                         break;
230                 default:
231                         Fatal("Tried to add a QuadTree child of invalid type!");
232         }
233         return new_index;
234 }
235
236 #endif
237
238 void Document::Load(const string & filename)
239 {
240         m_objects.bounds.clear();
241         m_count = 0;
242         if (filename == "")
243         {
244                 Debug("Loaded empty document.");
245                 return;
246         }
247         Debug("Loading document from file \"%s\"", filename.c_str());
248         FILE * file = fopen(filename.c_str(), "r");
249         if (file == NULL)
250                 Fatal("Couldn't open file \"%s\"", filename.c_str(), strerror(errno));
251
252         size_t read;
253
254         DocChunkTypes chunk_type;
255         uint32_t chunk_size;
256         while (ReadChunkHeader(file, chunk_type, chunk_size))
257         {
258                 switch(chunk_type)
259                 {
260                 case CT_NUMOBJS:
261                         read = fread(&m_count, sizeof(m_count), 1, file);
262                         if (read != 1)
263                                 Fatal("Failed to read number of objects!");
264                         Debug("Number of objects: %u", ObjectCount());
265                         break;
266                 case CT_OBJTYPES:
267                         Debug("Object types...");
268                         LoadStructVector<ObjectType>(file, chunk_size/sizeof(ObjectType), m_objects.types);
269                         break;
270                 case CT_OBJBOUNDS:
271                         Debug("Object bounds...");
272                         LoadStructVector<Rect>(file, chunk_size/sizeof(Rect), m_objects.bounds);
273                         break;
274                 case CT_OBJINDICES:
275                         Debug("Object data indices...");
276                         LoadStructVector<unsigned>(file, chunk_size/sizeof(unsigned), m_objects.data_indices);
277                         break;
278                 case CT_OBJBEZIERS:
279                         Debug("Bezier data...");
280                         LoadStructVector<Bezier>(file, chunk_size/sizeof(Bezier), m_objects.beziers);
281                         break;
282                         
283                 case CT_OBJPATHS:
284                         Debug("Path data...");
285                         Warn("Not handled because lazy");
286                         break;
287                 }
288         }
289         Debug("Successfully loaded %u objects from \"%s\"", ObjectCount(), filename.c_str());
290 #ifndef QUADTREE_DISABLED
291         if (m_quadtree.root_id == QUADTREE_EMPTY)
292         {
293                 GenBaseQuadtree();
294         }
295 #endif
296 }
297
298 unsigned Document::AddPath(unsigned start_index, unsigned end_index, const Colour & fill, const Colour & stroke)
299 {
300         Path path(m_objects, start_index, end_index, fill, stroke);
301         unsigned data_index = AddPathData(path);
302         Rect bounds = path.SolveBounds(m_objects);
303         unsigned result = Add(PATH, bounds,data_index);
304         return result;
305 }
306
307 /**
308  * Add a Bezier using Absolute coords
309  */
310 unsigned Document::AddBezier(const Bezier & bezier)
311 {
312         Rect bounds = bezier.SolveBounds();
313         Bezier data = bezier.ToRelative(bounds); // Relative
314         if (data.ToAbsolute(bounds) != bezier)
315         {
316                 Warn("%s != %s", data.ToAbsolute(Rect(0,0,1,1)).Str().c_str(),
317                         bezier.Str().c_str());
318                 Warn("ToAbsolute on ToRelative does not give original Bezier");
319         }
320         unsigned index = AddBezierData(data);
321         return Add(BEZIER, bounds, index);
322 }
323
324 unsigned Document::Add(ObjectType type, const Rect & bounds, unsigned data_index)
325 {
326         m_objects.types.push_back(type);
327         m_objects.bounds.push_back(bounds);
328         m_objects.data_indices.push_back(data_index);
329         return (m_count++); // Why can't we just use the size of types or something?
330 }
331
332 unsigned Document::AddBezierData(const Bezier & bezier)
333 {
334         m_objects.beziers.push_back(bezier);
335         return m_objects.beziers.size()-1;
336 }
337
338 unsigned Document::AddPathData(const Path & path)
339 {
340         m_objects.paths.push_back(path);
341         return m_objects.paths.size()-1;
342 }
343
344 void Document::DebugDumpObjects()
345 {
346         Debug("Objects for Document %p are:", this);
347         for (unsigned id = 0; id < ObjectCount(); ++id)
348         {
349                 Debug("%u. \tType: %u\tBounds: %s", id, m_objects.types[id], m_objects.bounds[id].Str().c_str());
350         }
351 }
352
353 bool Document::operator==(const Document & equ) const
354 {
355         return (ObjectCount() == equ.ObjectCount() 
356                 && memcmp(m_objects.bounds.data(), equ.m_objects.bounds.data(), ObjectCount() * sizeof(Rect)) == 0
357                 && memcmp(m_objects.data_indices.data(), equ.m_objects.data_indices.data(), ObjectCount() * sizeof(unsigned)) == 0
358                 && memcmp(m_objects.beziers.data(), equ.m_objects.beziers.data(), m_objects.beziers.size() * sizeof(Bezier)) == 0);
359 }
360
361
362
363 // Behold my amazing tokenizing abilities
364 static string & GetToken(const string & d, string & token, unsigned & i, const string & delims = "()[],{}<>;:=")
365 {
366         token.clear();
367         while (i < d.size() && iswspace(d[i]))
368         {
369                 ++i;
370         }
371         
372         while (i < d.size())
373         {
374                 if (iswspace(d[i]) || strchr(delims.c_str(),d[i]) != NULL)
375                 {
376                         if (token.size() == 0 && !iswspace(d[i]))
377                         {
378                                 token += d[i++];
379                         }
380                         break;  
381                 }
382                 token += d[i++];
383         }
384         //Debug("Got token \"%s\"", token.c_str());
385         return token;
386 }
387
388 static void GetXYPair(const string & d, Real & x, Real & y, unsigned & i,const string & delims = "()[],{}<>;:=")
389 {
390         string token("");
391         while (GetToken(d, token, i, delims) == ",");
392         x = strtod(token.c_str(),NULL);
393         if (GetToken(d, token, i, delims) != ",")
394         {
395                 Fatal("Expected \",\" seperating x,y pair");
396         }
397         y = strtod(GetToken(d, token, i, delims).c_str(),NULL);
398 }
399
400 static bool GetKeyValuePair(const string & d, string & key, string & value, unsigned & i, const string & delims = "()[],{}<>;:=")
401 {
402         key = "";
403         string token;
404         while (GetToken(d, token, i, delims) == ":" || token == ";");
405         key = token;
406         if (GetToken(d, token, i, delims) != ":")
407         {
408                 Error("Expected \":\" seperating key:value pair");
409                 return false;
410         }
411         value = "";
412         GetToken(d, value, i, delims);
413         return true;
414 }
415
416 static void TransformXYPair(Real & x, Real & y, const SVGMatrix & transform)
417 {
418         Real x0(x);
419         x = transform.a * x + transform.c * y + transform.e;
420         y = transform.b * x0 + transform.d * y + transform.f;
421 }
422
423 void Document::ParseSVGTransform(const string & s, SVGMatrix & transform)
424 {
425         //Debug("Parsing transform %s", s.c_str());
426         string token;
427         string command;
428         unsigned i = 0;
429         
430         while (i < s.size())
431         {
432                 GetToken(s, command, i);
433                 if (command == "," || command == "" || command == ":")
434                 {
435                         if (i < s.size())
436                                 GetToken(s, command, i);
437                         else
438                                 return;
439                 }
440                 //Debug("Token is \"%s\"", command.c_str());
441         
442                 SVGMatrix delta = {1,0,0,0,1,0};
443         
444         
445                 assert(GetToken(s,token, i) == "(");
446                 if (command == "translate")
447                 {
448                         GetXYPair(s, delta.e, delta.f, i);
449                         assert(GetToken(s,token, i) == ")");    
450                 }
451                 else if (command == "matrix")
452                 {
453                         GetXYPair(s, delta.a, delta.b,i);
454                         GetXYPair(s, delta.c, delta.d,i);
455                         GetXYPair(s, delta.e, delta.f,i);
456                         assert(GetToken(s,token, i) == ")");    
457                 }
458                 else if (command == "scale")
459                 {
460                         delta.a = (strtod(GetToken(s,token,i).c_str(), NULL));
461                         GetToken(s, token, i);
462                         if (token == ",")
463                         {
464                                 delta.d = (strtod(GetToken(s,token,i).c_str(), NULL));
465                                 assert(GetToken(s, token, i) == ")");
466                         }
467                         else
468                         {
469                                 delta.d = delta.a;
470                                 assert(token == ")");
471                         }
472                         
473                 }
474                 else
475                 {
476                         Warn("Unrecognised transform \"%s\", using identity", command.c_str());
477                 }
478         
479                 //Debug("Old transform is {%f,%f,%f,%f,%f,%f}", transform.a, transform.b, transform.c, transform.d,transform.e,transform.f);
480                 //Debug("Delta transform is {%f,%f,%f,%f,%f,%f}", delta.a, delta.b, delta.c, delta.d,delta.e,delta.f);
481         
482                 SVGMatrix old(transform);
483                 transform.a = old.a * delta.a + old.c * delta.b;
484                 transform.c = old.a * delta.c + old.c * delta.d;
485                 transform.e = old.a * delta.e + old.c * delta.f + old.e;
486         
487                 transform.b = old.b * delta.a + old.d * delta.b;
488                 transform.d = old.b * delta.c + old.d * delta.d;
489                 transform.f = old.b * delta.e + old.d * delta.f + old.f;
490         
491                 //Debug("New transform is {%f,%f,%f,%f,%f,%f}", transform.a, transform.b, transform.c, transform.d,transform.e,transform.f);
492         }
493 }
494
495 inline Colour ParseColourString(const string & colour_str)
496 {
497         Colour c(0,0,0,0);
498         if (colour_str == "red")
499                 c = {255,0,0,255};
500         else if (colour_str == "blue")
501                 c = {0,0,255,255};
502         else if (colour_str == "green")
503                 c = {0,255,0,255};
504         else if (colour_str == "black")
505                 c = {0,0,0,255};
506         else if (colour_str == "white")
507                 c = {255,255,255,255};
508         else if (colour_str.size() == 7 && colour_str[0] == '#')
509         {
510                 Debug("Parse colour string: \"%s\"", colour_str.c_str());
511                 char comp[3] = {colour_str[1], colour_str[2], '\0'};
512                 c.r = strtoul(comp, NULL, 16);
513                 comp[0] = colour_str[3]; comp[1] = colour_str[4];
514                 c.g = strtoul(comp, NULL, 16);
515                 comp[0] = colour_str[5]; comp[1] = colour_str[6];
516                 c.b = strtoul(comp, NULL, 16);
517                 c.a = 255;
518                 Debug("Colour is: %u, %u, %u, %u", c.r, c.g, c.b, c.a);
519         }
520         return c;
521 }
522
523 void Document::ParseSVGNode(pugi::xml_node & root, SVGMatrix & parent_transform)
524 {
525         //Debug("Parse node <%s>", root.name());
526
527                 
528         for (pugi::xml_node child = root.first_child(); child; child = child.next_sibling())
529         {
530                 SVGMatrix transform(parent_transform);  
531                 pugi::xml_attribute attrib_trans = child.attribute("transform");
532                 if (!attrib_trans.empty())
533                 {
534                         ParseSVGTransform(attrib_trans.as_string(), transform);
535                 }
536                 
537                 
538                 
539                 if (strcmp(child.name(), "svg") == 0 || strcmp(child.name(),"g") == 0
540                         || strcmp(child.name(), "group") == 0)
541                 {
542                         
543                         ParseSVGNode(child, transform);
544                         continue;
545                 }
546                 else if (strcmp(child.name(), "path") == 0)
547                 {
548                         string d = child.attribute("d").as_string();
549                         //Debug("Path data attribute is \"%s\"", d.c_str());
550                         bool closed = false;
551                         pair<unsigned, unsigned> range = ParseSVGPathData(d, transform, closed);
552                         if (true)//(closed)
553                         {
554                                 
555                                 string colour_str("");
556                                 map<string, string> style;
557                                 if (child.attribute("style"))
558                                 {
559                                         ParseSVGStyleData(child.attribute("style").as_string(), style);
560                                 }
561                                 
562                                 // Determine shading colour
563                                 if (child.attribute("fill"))
564                                 {
565                                         colour_str = child.attribute("fill").as_string();
566                                 }
567                                 else if (style.find("fill") != style.end())
568                                 {
569                                         colour_str = style["fill"];
570                                 }
571                                 Colour fill = ParseColourString(colour_str);
572                                 Colour stroke = fill;
573                         
574                                 if (child.attribute("stroke"))
575                                 {
576                                         colour_str = child.attribute("stroke").as_string();
577                                         stroke = ParseColourString(colour_str);
578                                 }
579                                 else if (style.find("stroke") != style.end())
580                                 {
581                                         colour_str = style["stroke"];
582                                         stroke = ParseColourString(colour_str);
583                                 }
584                                 
585                                 
586                                 // Determin shading alpha
587                                 if (child.attribute("fill-opacity"))
588                                 {
589                                         fill.a = 255*child.attribute("fill-opacity").as_float();
590                                 }
591                                 else if (style.find("fill-opacity") != style.end())
592                                 {
593                                         fill.a = 255*strtod(style["fill-opacity"].c_str(), NULL);
594                                 }
595                                 if (child.attribute("stroke-opacity"))
596                                 {
597                                         stroke.a = 255*child.attribute("stroke-opacity").as_float();
598                                 }
599                                 else if (style.find("stroke-opacity") != style.end())
600                                 {
601                                         stroke.a = 255*strtod(style["stroke-opacity"].c_str(), NULL);
602                                 }
603                                 AddPath(range.first, range.second, fill, stroke);
604                         }
605                         
606                 }
607                 else if (strcmp(child.name(), "line") == 0)
608                 {
609                         Real x0(child.attribute("x1").as_float());
610                         Real y0(child.attribute("y1").as_float());
611                         Real x1(child.attribute("x2").as_float());
612                         Real y1(child.attribute("y2").as_float());
613                         TransformXYPair(x0,y0,transform);
614                         TransformXYPair(x1,y1,transform);
615                         AddBezier(Bezier(x0,y0,x1,y1,x1,y1,x1,y1));
616                 }
617                 else if (strcmp(child.name(), "rect") == 0)
618                 {
619                         Real coords[4];
620                         const char * attrib_names[] = {"x", "y", "width", "height"};
621                         for (size_t i = 0; i < 4; ++i)
622                                 coords[i] = child.attribute(attrib_names[i]).as_float();
623                         
624                         Real x2(coords[0]+coords[2]);
625                         Real y2(coords[1]+coords[3]);
626                         TransformXYPair(coords[0],coords[1],transform); // x, y, transform
627                         TransformXYPair(x2,y2,transform);
628                         coords[2] = x2 - coords[0];
629                         coords[3] = y2 - coords[1];
630                         
631                         bool outline = !(child.attribute("fill") && strcmp(child.attribute("fill").as_string(),"none") != 0);
632                         Add(outline?RECT_OUTLINE:RECT_FILLED, Rect(coords[0], coords[1], coords[2], coords[3]),0);
633                 }
634                 else if (strcmp(child.name(), "circle") == 0)
635                 {
636                         Real cx = child.attribute("cx").as_float();
637                         Real cy = child.attribute("cy").as_float();
638                         Real r = child.attribute("r").as_float();
639                         
640                         Real x = (cx - r);
641                         Real y = (cy - r);
642                         TransformXYPair(x,y,transform);
643                         Real w = Real(2)*r*transform.a; // width scales
644                         Real h = Real(2)*r*transform.d; // height scales
645                         
646                         
647                         Rect rect(x,y,w,h);
648                         Add(CIRCLE_FILLED, rect,0);
649                         Debug("Added Circle %s", rect.Str().c_str());                   
650                 }
651                 else if (strcmp(child.name(), "text") == 0)
652                 {
653                         Real x = child.attribute("x").as_float();
654                         Real y = child.attribute("y").as_float();
655                         TransformXYPair(x,y,transform);
656                         Debug("Add text \"%s\"", child.child_value());
657                         AddText(child.child_value(), 0.05, x, y);
658                 }
659         }
660 }
661
662 void Document::ParseSVGStyleData(const string & style, map<string, string> & results)
663 {
664         unsigned i = 0;
665         string key;
666         string value;
667         while (i < style.size() && GetKeyValuePair(style, key, value, i))
668         {
669                 results[key] = value;
670         }
671 }
672
673 /**
674  * Parse an SVG string into a rectangle
675  */
676 void Document::ParseSVG(const string & input, const Rect & bounds)
677 {
678         using namespace pugi;
679         
680         xml_document doc_xml;
681         xml_parse_result result = doc_xml.load(input.c_str());
682         
683         if (!result)
684                 Error("Couldn't parse SVG input - %s", result.description());
685                 
686         Debug("Loaded XML - %s", result.description());
687         SVGMatrix transform = {bounds.w, 0,bounds.x, 0,bounds.h,bounds.y};
688         ParseSVGNode(doc_xml, transform);
689 }
690
691 /**
692  * Load an SVG into a rectangle
693  */
694 void Document::LoadSVG(const string & filename, const Rect & bounds)
695 {
696         using namespace pugi;
697         
698         xml_document doc_xml;
699         ifstream input(filename.c_str(), ios_base::in);
700         xml_parse_result result = doc_xml.load(input);
701         
702         if (!result)
703                 Error("Couldn't load \"%s\" - %s", filename.c_str(), result.description());
704                 
705         Debug("Loaded XML - %s", result.description());
706         
707         input.close();
708                                                 // a c e, b d f
709         SVGMatrix transform = {bounds.w, 0,bounds.x, 0,bounds.h,bounds.y};
710         ParseSVGNode(doc_xml, transform);
711 }
712
713
714
715 // Fear the wrath of the tokenizing svg data
716 // Seriously this isn't really very DOM-like at all is it?
717 pair<unsigned, unsigned> Document::ParseSVGPathData(const string & d, const SVGMatrix & transform, bool & closed)
718 {
719         closed = false;
720         Real x[4] = {0,0,0,0};
721         Real y[4] = {0,0,0,0};
722         
723         string token("");
724         string command("m");
725         
726         Real x0(0);
727         Real y0(0);
728         
729         unsigned i = 0;
730         unsigned prev_i = 0;
731         
732         bool start = false;
733         
734
735         static string delims("()[],{}<>;:=LlHhVvmMqQzZcC");
736
737         pair<unsigned, unsigned> range(m_count, m_count);
738         
739         while (i < d.size() && GetToken(d, token, i, delims).size() > 0)
740         {
741                 if (isalpha(token[0]))
742                         command = token;
743                 else
744                 {
745                         i = prev_i; // hax
746                         if(command == "")
747                                 command = "L";
748                 }
749                 
750                 bool relative = islower(command[0]);
751                         
752                 if (command == "m" || command == "M")
753                 {
754                         //Debug("Construct moveto command");
755                         Real dx = Real(strtod(GetToken(d,token,i,delims).c_str(),NULL));
756                         assert(GetToken(d,token,i,delims) == ",");
757                         Real dy = Real(strtod(GetToken(d,token,i,delims).c_str(),NULL));
758                         
759                         x[0] = (relative) ? x[0] + dx : dx;
760                         y[0] = (relative) ? y[0] + dy : dy;
761                         
762                         x0 = x[0];
763                         y0 = y[0];
764                         //Debug("mmoveto %f,%f", Float(x[0]),Float(y[0]));
765                         command = (command == "m") ? "l" : "L";
766                 }
767                 else if (command == "c" || command == "C" || command == "q" || command == "Q")
768                 {
769                         //Debug("Construct curveto command");
770                         Real dx = Real(strtod(GetToken(d,token,i,delims).c_str(),NULL));
771                         assert(GetToken(d,token,i,delims) == ",");
772                         Real dy = Real(strtod(GetToken(d,token,i,delims).c_str(),NULL));
773                         
774                         x[1] = (relative) ? x[0] + dx : dx;
775                         y[1] = (relative) ? y[0] + dy : dy;
776                         
777                         dx = Real(strtod(GetToken(d,token,i,delims).c_str(),NULL));
778                         assert(GetToken(d,token,i,delims) == ",");
779                         dy = Real(strtod(GetToken(d,token,i,delims).c_str(),NULL));
780                         
781                         x[2] = (relative) ? x[0] + dx : dx;
782                         y[2] = (relative) ? y[0] + dy : dy;
783                         
784                         if (command != "q" && command != "Q")
785                         {
786                                 dx = Real(strtod(GetToken(d,token,i,delims).c_str(),NULL));
787                                 assert(GetToken(d,token,i,delims) == ",");
788                                 dy = Real(strtod(GetToken(d,token,i,delims).c_str(),NULL));
789                                 x[3] = (relative) ? x[0] + dx : dx;
790                                 y[3] = (relative) ? y[0] + dy : dy;
791                         }
792                         else
793                         {
794                                 x[3] = x[2];
795                                 y[3] = y[2];
796                                 Real old_x1(x[1]), old_y1(y[1]);
797                                 x[1] = x[0] + Real(2) * (old_x1 - x[0])/ Real(3);
798                                 y[1] = y[0] + Real(2) * (old_y1 - y[0])/ Real(3);
799                                 x[2] = x[3] + Real(2) * (old_x1 - x[3])/ Real(3);
800                                 y[2] = y[3] + Real(2) * (old_y1 - y[3])/ Real(3);
801                         }
802                         
803                         Real x3(x[3]);
804                         Real y3(y[3]);
805                         for (int j = 0; j < 4; ++j)
806                                 TransformXYPair(x[j],y[j], transform);
807
808                         range.second = AddBezier(Bezier(x[0],y[0],x[1],y[1],x[2],y[2],x[3],y[3]));
809                         
810                         //Debug("[%u] curveto %f,%f %f,%f %f,%f", index, Float(x[1]),Float(y[1]),Float(x[2]),Float(y[2]),Float(x[3]),Float(y[3]));
811                         
812                         x[0] = x3;
813                         y[0] = y3;
814
815                         
816                 }
817                 else if (command == "l" || command == "L" || command == "h" || command == "H" || command == "v" || command == "V")
818                 {
819                         //Debug("Construct lineto command, relative %d", relative);
820                 
821                         Real dx = Real(strtod(GetToken(d,token,i,delims).c_str(),NULL));
822                         Real dy;
823                         if (command == "l" || command == "L")
824                         {
825                                 assert(GetToken(d,token,i,delims) == ",");
826                                 dy = Real(strtod(GetToken(d,token,i,delims).c_str(),NULL));
827                         }
828                         else if (command == "v" || command == "V")
829                         {
830                                 swap(dx,dy);
831                         }
832                         
833                         x[1] = (relative) ? x[0] + dx : dx;
834                         y[1] = (relative) ? y[0] + dy : dy;
835                         if (command == "v" || command == "V")
836                         {
837                                 x[1] = x[0];
838                         }
839                         else if (command == "h" || command == "H")
840                         {
841                                 y[1] = y[0];
842                         }
843                         
844                         Real x1(x[1]);
845                         Real y1(y[1]);
846                         
847                         TransformXYPair(x[0],y[0],transform);
848                         TransformXYPair(x[1],y[1],transform);
849
850
851                         range.second = AddBezier(Bezier(x[0],y[0],x[1],y[1],x[1],y[1],x[1],y[1]));
852                         
853                         //Debug("[%u] lineto %f,%f %f,%f", index, Float(x[0]),Float(y[0]),Float(x[1]),Float(y[1]));
854                         
855                         x[0] = x1;
856                         y[0] = y1;
857
858                 }
859                 else if (command == "z" || command == "Z")
860                 {
861                         //Debug("Construct returnto command");
862                         x[1] = x0;
863                         y[1] = y0;
864                         x[2] = x0;
865                         y[2] = y0;
866                         x[3] = x0;
867                         y[3] = y0;
868                         
869                         Real x3(x[3]);
870                         Real y3(y[3]);
871                         for (int j = 0; j < 4; ++j)
872                                 TransformXYPair(x[j],y[j], transform);
873
874                         range.second = AddBezier(Bezier(x[0],y[0],x[1],y[1],x[2],y[2],x[3],y[3]));
875                         //Debug("[%u] returnto %f,%f %f,%f", index, Float(x[0]),Float(y[0]),Float(x[1]),Float(y[1]));
876                         
877                         x[0] = x3;
878                         y[0] = y3;
879                         command = "m";
880                         closed = true;
881                 }
882                 else
883                 {
884                         Warn("Unrecognised command \"%s\", set to \"m\"", command.c_str());
885                         command = "m";
886                 }
887                 
888                 if (!start)
889                 {
890                         x0 = x[0];
891                         y0 = y[0];
892                         start = true;
893                 }
894                 prev_i = i;
895         }
896         return range;
897 }
898
899 void Document::SetFont(const string & font_filename)
900 {
901         if (m_font_data != NULL)
902         {
903                 free(m_font_data);
904         }
905         
906         FILE *font_file = fopen(font_filename.c_str(), "rb");
907         fseek(font_file, 0, SEEK_END);
908         size_t font_file_size = ftell(font_file);
909         fseek(font_file, 0, SEEK_SET);
910         m_font_data = (unsigned char*)malloc(font_file_size);
911         size_t read = fread(m_font_data, 1, font_file_size, font_file);
912         if (read != font_file_size)
913         {
914                 Fatal("Failed to read font data from \"%s\" - Read %u bytes expected %u - %s", font_filename.c_str(), read, font_file_size, strerror(errno));
915         }
916         fclose(font_file);
917         stbtt_InitFont(&m_font, m_font_data, 0);
918 }
919
920 void Document::AddText(const string & text, Real scale, Real x, Real y)
921 {
922         if (m_font_data == NULL)
923         {
924                 Warn("No font loaded");
925                 return;
926         }
927                 
928         Real x0(x);
929         //Real y0(y);
930         int ascent = 0, descent = 0, line_gap = 0;
931         stbtt_GetFontVMetrics(&m_font, &ascent, &descent, &line_gap);
932         float font_scale = scale / (float)(ascent - descent);
933         Real y_advance = Real(font_scale) * Real(ascent - descent + line_gap);
934         for (unsigned i = 0; i < text.size(); ++i)
935         {
936                 if (text[i] == '\n')
937                 {
938                         y += y_advance;
939                         x = x0;
940                 }
941                 if (!isprint(text[i]))
942                         continue;
943                         
944                 int advance_width = 0, left_side_bearing = 0, kerning = 0;
945                 stbtt_GetCodepointHMetrics(&m_font, text[i], &advance_width, &left_side_bearing);
946                 if (i >= 1)
947                 {
948                         kerning = stbtt_GetCodepointKernAdvance(&m_font, text[i-1], text[i]);
949                 }
950                 x += Real(font_scale) * Real(kerning);
951                 AddFontGlyphAtPoint(&m_font, text[i], font_scale, x, y);
952                 x += Real(font_scale) * Real(advance_width);
953         }
954 }
955
956 void Document::AddFontGlyphAtPoint(stbtt_fontinfo *font, int character, Real scale, Real x, Real y)
957 {
958         int glyph_index = stbtt_FindGlyphIndex(font, character);
959
960         // Check if there is actully a glyph to render.
961         if (stbtt_IsGlyphEmpty(font, glyph_index))
962         {
963                 return;
964         }
965
966         stbtt_vertex *instructions;
967         int num_instructions = stbtt_GetGlyphShape(font, glyph_index, &instructions);
968
969         Real current_x(0), current_y(0);
970         unsigned start_index = m_count;
971         unsigned end_index = m_count;
972         for (int i = 0; i < num_instructions; ++i)
973         {
974                 // TTF uses 16-bit signed ints for coordinates:
975                 // with the y-axis inverted compared to us.
976                 // Convert and scale any data.
977                 Real inst_x = Real(instructions[i].x)*scale;
978                 Real inst_y = Real(instructions[i].y)*-scale;
979                 Real inst_cx = Real(instructions[i].cx)*scale;
980                 Real inst_cy = Real(instructions[i].cy)*-scale;
981                 Real old_x(current_x), old_y(current_y);
982                 current_x = inst_x;
983                 current_y = inst_y;
984                 
985                 switch(instructions[i].type)
986                 {
987                 // Move To
988                 case STBTT_vmove:
989                         break;
990                 // Line To
991                 case STBTT_vline:
992                         end_index = AddBezier(Bezier(old_x + x, old_y + y, old_x + x, old_y + y, current_x + x, current_y + y, current_x + x, current_y + y));
993                         break;
994                 // Quadratic Bezier To:
995                 case STBTT_vcurve:
996                         // Quadratic -> Cubic:
997                         // - Endpoints are the same.
998                         // - cubic1 = quad0+(2/3)*(quad1-quad0)
999                         // - cubic2 = quad2+(2/3)*(quad1-quad2)
1000                         end_index = AddBezier(Bezier(old_x + x, old_y + y, old_x + Real(2)*(inst_cx-old_x)/Real(3) + x, old_y + Real(2)*(inst_cy-old_y)/Real(3) + y,
1001                                                 current_x + Real(2)*(inst_cx-current_x)/Real(3) + x, current_y + Real(2)*(inst_cy-current_y)/Real(3) + y, current_x + x, current_y + y));
1002                         break;
1003                 }
1004         }
1005         
1006         if (start_index < m_count && end_index < m_count)
1007         {
1008                 AddPath(start_index, end_index);
1009         }
1010         Debug("Added Glyph \"%c\" at %f %f, scale %f", (char)character, Float(x), Float(y), Float(scale));
1011
1012         stbtt_FreeShape(font, instructions);
1013 }

UCC git Repository :: git.ucc.asn.au