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

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